diff --git a/.vscode/settings.json b/.vscode/settings.json index f43248e..73c8b92 100644 --- a/.vscode/settings.json +++ b/.vscode/settings.json @@ -1,7 +1,20 @@ { + "[powershell][markdown]": { + "editor.colorDecorators": false, + }, "cSpell.words": [ + "Browsable", + "clike", "Cloneable", + "cmatch", + "ilike", + "imatch", + "Linq", "Memberise", - "Memberwise" + "Memberwise", + "notin", + "psobject", + "Soesterberg", + "Steppable" ] } \ No newline at end of file diff --git a/Build/Build-Docs.ps1 b/Build/Build-Docs.ps1 index 8154d9e..544cf74 100644 --- a/Build/Build-Docs.ps1 +++ b/Build/Build-Docs.ps1 @@ -1,5 +1,4 @@ -using module ..\..\ObjectGraphTools -Get-ChildItem $PSScriptRoot\..\Source\Public\*.ps1 | ForEach-Object { +Get-ChildItem $PSScriptRoot\..\Source\Cmdlets\*.ps1 | ForEach-Object { Write-Host $_ - Get-MarkdownHelp $_ | Out-File -Encoding ASCII $PSScriptRoot\..\Docs\$($_.BaseName).md + Get-MarkdownHelp $_ | Out-File $PSScriptRoot\..\Docs\$($_.BaseName).md } \ No newline at end of file diff --git a/Build/Build-Module.ps1 b/Build/Build-Module.ps1 index c3767d0..2a98bf2 100644 --- a/Build/Build-Module.ps1 +++ b/Build/Build-Module.ps1 @@ -1,17 +1,6 @@ -<# -.SYNOPSIS - Module Builder - -.DESCRIPTION - Module Builder - -#> - -#Requires -Version 7.4 -#Requires -Modules @{ ModuleName="Microsoft.PowerShell.PSResourceGet"; RequiredVersion="1.0.6" } - using namespace System.Collections using namespace System.Collections.Generic +using namespace System.Collections.Specialized using namespace System.Collections.ObjectModel using namespace System.IO using namespace System.Link @@ -19,14 +8,197 @@ using namespace System.Text using NameSpace System.Management.Automation using NameSpace System.Management.Automation.Language -param( - [Parameter(Mandatory = $true, ValueFromPipeline = $true)][String]$SourceFolder, +<# +.SYNOPSIS +Module Builder - [Parameter(Mandatory = $true)][String]$ModulePath, +.DESCRIPTION +Build a new module (`.psm1`) file from a folder containing PowerShell scripts (`.ps1` files) and other resources. + +This module builder doesn't take care of the module manifest (`.psd1`) file, but it simply build the module file +from the scripts and resources in the specified folder while taking of the following: + +* merging the statements (e.g. `#Requires` and `using` statements) +* preventing duplicates and collisions (e.g. duplicate function names) +* Ordering the statements based on their dependencies (e.g. classes inheritance) +* formatting the output. + +It doesn't touch any module settings defined in the module manifest, such as the module Version, NestedModules and +ScripsToProcess. The only requirement is that the following settings are **not** defined (or commented out): + +* ~~FunctionsToExport = @()~~ +* ~~VariablesToExport = @()~~ +* ~~AliasesToExport = @()~~ + +These particular settings are automatically generated based on the cmdlets, variables and aliases defined in the +source scripts and eventually handled by the module (`.psm1`) file. + +The general consensus behind this module builder is that the module author defines the items that should be +**loaded** (imported) by [`Import-Module`] meaning that he shouldn't be concerned with *invoking* (dot-sourcing) +any scripts knowing that this could lead to similar concerns as using the [`Invoke-Expression`] cmdlet especially +when working in a team. +See also [https://github.com/PowerShell/PowerShell/issues/18740]. + +This means that this module builder will only accept specific statements (blocks) and reject (with a warning) on +statements that require any invocation which potentially could lead to conflicts with other functions and types. + +## Statements that are accepted + +The accepted statements might be divided into different files and (sub)folders using any file name or folder name +with the exception of functions that need to be exported as cmdlets. + +The accepted statement types are categorized and loaded in the following order: +* [Requirements] +* [using statements] +* [enum types] +* [Classes] +* [Variables assignments] +* [(private) Functions] +* [(public) Cmdlets] +* [Aliases] +* [Format files] + +### Requirements + +The module builder will merge the `#Requires` statements from the source scripts and will add them to the top of +the module file. + +#### #Required -Version + +If multiple `#required -version` statements are found, the highest version will be used. + +#### #Required -PSEdition + +If conflicting `#required -PSEdition` statements are found, a merge conflict exception is thrown. + +#### #Required -Modules + +If multiple `#required -Modules` statements are found, the module names will be merged and the highest version + +#### #Required -RunAsAdministrator + +If set in any script, the module builder will add the `#Requires -RunAsAdministrator` statement to the top of the +module file. + +> [!TIP] +> Consider to make your function [self-elevating](https://stackoverflow.com/q/60209449/1701026). + +### Using statements + +In general `using` statements are merged and added to the module file except for the `using module` with will be +rejected and a warning will be shown. + +#### using namespace <.NET-namespace> + +The module builder will use the full namespace name and added or merged them accordingly. + +#### using module + +The module builder will reject this statement and will suggest to use the module manifest instead. - [Int]$Depth = 1, +#### using assembly - [Switch]$KeepExistingSettings +The module builder will reformat the assembly path and merge the assembly names and add them to module file. + +### Enum types + +`Enum` and `Flags` types are reformatted using the explicit item value and added or merged them accordingly. + +> [!NOTE] +> All types are [automatically added to the TypeAccelerators list][2] to make sure they are publicly available. + +### Classes + +`Class` definitions are sorted based on any derived (custom) class dependency and added or accordingly. +If conflicting there are multiple classes with the same name a merge conflict exception is thrown unless the +content of the class is exactly the same. + +> [!NOTE] +> All types are [automatically added to the TypeAccelerators list][2] to make sure they are publicly available. + +> [!WARNING] +> PowerShell classes do have some known [limitation][3] and know [issues][4] that might cause problems when using +> a module builder. For example, when dividing classes that are depended of each other over multiple files would +> lead to "*Unable to find type []*" in the "PROBLEMS" tab. The only solution is to put these classes +> in the same file or neglect the specific problem. + +### Variables assignments + +The module builder will merge the variable assignments and add export them when the module is loaded. + +> [!TIP] +> For variables that are dynamically assigned during module load time, consider to use the `ScriptsToProcess` +> setting in the module manifest instead or define the variable during the concerned function or class execution. + +### (Private) Functions + +Any function that is defined in the source scripts will be added to the module file as a private function. +Meaning the function will not be exported by the module builder and will not be available to the user +when the module is loaded. The function will only be available to other functions in the module file. +To export a function as a cmdlet, the function needs to be defined in a script file with the `.ps1` extension, +see: [(public) cmdlets]. + +### (Public) cmdlets + +Any (public) function that needs to be exported by the module builder is called a [cmdlets][5] in this design. +The module builder will recognize any PowerShell script file (`.ps1`) that contains a `param` block and will treat +it as a cmdlet. The name of the script file will be used as the cmdlet name. Any `Required` or `Using` statement +will be merged and added to the module file. + +This module builder design enforces the use of advanced functions and prevents coincidentally interfering with +other cmdlets or other items in the module framework. See also [Add `ScriptsToInclude` to the Module Manifest][4]. + +### Aliases + +This module builder only supports aliases for (public) cmdlets (exported functions). A cmdlet alias might be set +using the [Alias Attribute Declaration][6], this will export the alias when the module is loaded. + +> [!NOTE] +> The [Set-Alias] command statement is rejected as aliases should be avoided for private functions as they can +> make code difficult to read, understand and impact availability (see: [AvoidUsingCmdletAliases][7]). + +### Format files + +The module builder will accept PowerShell format files (`.ps1xml`) and will merge the view definitions. +For more details on formatting views, see: [about Types.ps1xml][8]. + +.EXAMPLE +# (Re)build a new module file + +Build a new module file from the scripts in the `.\Scripts` folder and save it to `.\MyModule.psm1`. + + Build-Module -SourceFolder .\Scripts -ModulePath .\MyModule.psm1 + +.PARAMETERS SourceFolder + +The source folder containing the PowerShell scripts and resources to build the module from. + +.PARAMETERS ModulePath + +The path to the module file to create. + +> [!WARNING] +> The module file will be overwritten if it already exists. + +.PARAMETERS Depth + +The depth of the source folder structure to search for scripts and resources. Default is `1`. + +.LINK +[1]: https://learn.microsoft.com/powershell/scripting/developer/cmdlet/cmdlet-overview "cmdlet overview" +[2]: https://learn.microsoft.com/powershell/module/microsoft.powershell.core/about/about_classes#exporting-classes-with-type-accelerators "Exporting classes with type accelerators" +[3]: https://learn.microsoft.com/powershell/module/microsoft.powershell.core/about/about_classes#limitations "Class limitations" +[4]: https://github.com/PowerShell/PowerShell/issues/6652 "Various PowerShell Class Issues" +[5]: https://github.com/PowerShell/PowerShell/issues/24253 "Add ScriptsToInclude to the Module Manifest" +[6]: https://learn.microsoft.com/powershell/scripting/developer/cmdlet/alias-attribute-declaration "Alias Attribute Declaration" +[7]: https://learn.microsoft.com/powershell/utility-modules/psscriptanalyzer/rules/avoidusingcmdletaliases "Avoid using cmdlet aliases" +[8]: https://learn.microsoft.com/powershell/module/microsoft.powershell.core/about/about_types.ps1xml "about Types.ps1xml" +#> + +param( + [Parameter(Mandatory = $true, ValueFromPipeline = $true)][String]$SourceFolder, + [Parameter(Mandatory = $true)][String]$ModulePath, + [Int]$Depth = 1 ) Begin { @@ -49,7 +221,6 @@ Begin { } } - Use-Script -Name Use-ClassAccessors Use-Script -Name Sort-Topological -Version 0.1.2 function New-LocationMessage([String]$Message, [String]$FilePath, $Target) { @@ -98,11 +269,9 @@ Begin { class Omission: Exception { Omission([string]$Message): base ($Message) {} } class ModuleRequirements { - static ModuleRequirements() { Use-ClassAccessors } - [Version]$Version [String]$PSEdition - [Ordered]$Modules = @{} + [OrderedDictionary]$Modules = [OrderedDictionary]::new([StringComparer]::InvariantCultureIgnoreCase) [Bool]$RunAsAdministrator hidden [String[]]get_Values() { @@ -188,8 +357,6 @@ Begin { } class ModuleUsingStatements { - static ModuleUsingStatements() { Use-ClassAccessors } - [HashSet[String]]$Namespace = [HashSet[String]]::new([StringComparer]::InvariantCultureIgnoreCase) [HashSet[String]]$Assembly = [HashSet[String]]::new([StringComparer]::InvariantCultureIgnoreCase) @@ -221,10 +388,9 @@ Begin { class ModuleBuilder { static [String]$Tab = ' ' # Used for indenting cmdlet contents - static ModuleBuilder() { Use-ClassAccessors } # Doesn't work with Pester (and classes in process blocks?) [string] $Path - [String] get_Name() { return [Path]::GetFileNameWithoutExtension($this.Path) } + [String] $Name ModuleBuilder($Path) { $FullPath = [Path]::GetFullPath($Path) @@ -234,15 +400,19 @@ Begin { $this.Path = [Path]::Combine($FullPath, "$([Path]::GetFileName($Path)).psm1") } else { Throw "The module path '$Path' is not a folder or doesn't have a '.psm1' extension." } + $this.Name = [Path]::GetFileNameWithoutExtension($this.Path) } [String]GetRelativePath([String]$Path) { - $RelativePath = Resolve-Path -Path $Path -RelativeBasePath ([Path]::GetDirectoryName($this.Path)) -Relative - if ($RelativePath.StartsWith('.\')) { $RelativePath = $RelativePath.SubString(2) } + $ToPath = $Path -split '[\\\/]' + $BasePath = [Path]::GetDirectoryName($this.Path) -split '[\\\/]' + for ($i = 0; $i -lt $BasePath.Length; $i++) { if ($ToPath[$i] -ne $BasePath[$i]) { break } } + $RelativePath = '..\' * ($BasePath.Length - $i) + $RelativePath += $ToPath[$i..($ToPath.Length - 1)] -join [IO.Path]::DirectorySeparatorChar return $RelativePath } - hidden [Ordered]$Sections = [Ordered]@{} + hidden [OrderedDictionary]$Sections = [OrderedDictionary]::new([StringComparer]::InvariantCultureIgnoreCase) AddRequirement([ScriptRequirements]$Requires) { if (-not $this.Sections['Requires']) { $this.Sections['Requires'] = [ModuleRequirements]::new() } @@ -255,7 +425,9 @@ Begin { } } hidden AddStatement([String]$SectionName, [String]$StatementId, $Definition) { - if (-not $this.Sections[$SectionName]) { $this.Sections[$SectionName] = [Ordered]@{} } + if (-not $this.Sections[$SectionName]) { + $this.Sections[$SectionName] = [OrderedDictionary]::new([StringComparer]::InvariantCultureIgnoreCase) + } try { $this.CheckDuplicate($SectionName, $StatementId, $Definition) } catch { throw } $this.Sections[$SectionName][$StatementId] = $Definition } @@ -287,10 +459,10 @@ Begin { else { throw [Omission]"Rejected type (use manifest instead)." } } AssignmentStatementAst { - $Name = $Statement.Left.VariablePath.UserPath + $VariableName = $Statement.Left.VariablePath.UserPath $Expression = $Statement.Right.Extent.Text - if ($Name -eq 'Null' ) { throw [Omission]'Rejected assignment to $Null.' } - try { $this.AddStatement('Variable', $Name, $Expression) } catch { throw } + if ($VariableName -eq 'Null' ) { throw [Omission]'Rejected assignment to $Null.' } + try { $this.AddStatement('Variable', $VariableName, $Expression) } catch { throw } } FunctionDefinitionAst { try { $this.AddStatement('Function', $Statement.Name, $Statement) } catch { throw } @@ -325,7 +497,9 @@ Begin { if ($Token.Type -eq 'String') { $this.AddStatement('Alias', $Token.Content, $Name) $AliasExists = Get-Alias $Token.Content -ErrorAction SilentlyContinue - if ($AliasExists) { Write-Warning "The alias '$($Token.Content)' ($($AliasExists.ResolvedCommand)) already exists." } + if ($AliasExists -and $AliasExists.Source -ne $this.Name) { + Write-Warning "The alias '$($Token.Content)' ($($AliasExists.ResolvedCommand)) already exists." + } } elseif ($Token.Type -eq 'Operator' -and $Token.Content -eq ',') { <# continue #> } elseif ($Token.Type -eq 'GroupEnd') { $AliasGroupToken = $null } @@ -346,7 +520,9 @@ Begin { } AddFormat($SourceFile) { $RelativePath = $this.GetRelativePath($SourceFile) - if (-not $this.Sections['Format']) { $this.Sections['Format'] = [Ordered]@{} } + if (-not $this.Sections['Format']) { + $this.Sections['Format'] = [OrderedDictionary]::new([StringComparer]::InvariantCultureIgnoreCase) + } $Xml = [xml](get-Content $SourceFile) foreach ($Name in $Xml.Configuration.ViewDefinitions.View.Name) { if ($this.Sections['Format'].Contains($Name)) { throw [Collision]"Merge conflict with format '$Name'" } @@ -409,7 +585,7 @@ Begin { if ($S.Contains('Format')) { # https://github.com/PowerShell/PowerShell/issues/17345 # if (-not (Get-FormatData -ErrorAction Ignore $etsTypeName)) { # See: https://stackoverflow.com/a/67991167/1701026 - $Files = [Ordered]@{} + $Files = [OrderedDictionary]::new([StringComparer]::InvariantCultureIgnoreCase) foreach ($Name in $S.Format.get_Keys()) { $FileName = $S.Format[$Name] if (-not $S.Format.Contains($FileName)) { $Files[$FileName] = [List[String]]::new() } diff --git a/Build/Build-ObjectGraphTools.ps1 b/Build/Build-ObjectGraphTools.ps1 index d0857d6..4fbbf90 100644 --- a/Build/Build-ObjectGraphTools.ps1 +++ b/Build/Build-ObjectGraphTools.ps1 @@ -1,3 +1,5 @@ +# . .\Build\Build-Module.ps1 -ModulePath .\ObjectGraphTools.psm1 -SourceFolder .\Source + $Params = @{ ModulePath = "$PSScriptRoot\..\ObjectGraphTools.psm1" SourceFolder = "$PSScriptRoot\..\Source" diff --git a/Docs/Compare-ObjectGraph.md b/Docs/Compare-ObjectGraph.md index 219ea58..9c40686 100644 --- a/Docs/Compare-ObjectGraph.md +++ b/Docs/Compare-ObjectGraph.md @@ -25,9 +25,9 @@ Deep compares two Object Graph and lists the differences between them. ## Parameters -### **`-InputObject `** +### `-InputObject` <Object> -The input object that will be compared with the reference object (see: [-Reference](#-reference) parameter). +The input object that will be compared with the reference object (see: [`-Reference`](#-reference) parameter). > [!NOTE] > Multiple input object might be provided via the pipeline. @@ -38,57 +38,69 @@ The input object that will be compared with the reference object (see: [-Referen ,$InputObject | Compare-ObjectGraph $Reference. ``` - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -InputObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Reference `** +### `-Reference` <Object> -The reference that is used to compared with the input object (see: [-InputObject](#-inputobject) parameter). +The reference that is used to compared with the input object (see: [`-InputObject`](#-inputobject) parameter). - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Reference +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-PrimaryKey `** +### `-PrimaryKey` <String[]> If supplied, dictionaries (including PSCustomObject or Component Objects) in a list are matched based on the values of the `-PrimaryKey` supplied. - - - - - - - -
Type:String[]
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -PrimaryKey +Aliases: # None +Type: [String[]] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-IsEqual`** +### `-IsEqual` If set, the cmdlet will return a boolean (`$true` or `$false`). As soon a Discrepancy is found, the cmdlet will immediately stop comparing further properties. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -IsEqual +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MatchCase`** +### `-MatchCase` Unless the `-MatchCase` switch is provided, string values are considered case insensitive. @@ -97,16 +109,19 @@ Unless the `-MatchCase` switch is provided, string values are considered case in > if the `$Reference` is an object (PSCustomObject or component object), the key or name comparison > is case insensitive otherwise the comparer supplied with the dictionary is used. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MatchCase +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MatchType`** +### `-MatchType` Unless the `-MatchType` switch is provided, a loosely (inclusive) comparison is done where the `$Reference` object is leading. Meaning `$Reference -eq $InputObject`: @@ -116,27 +131,33 @@ Unless the `-MatchType` switch is provided, a loosely (inclusive) comparison is 1.0 -eq '1.0' # $true (also $false if the `-MatchType` is provided) ``` - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
- -### **`-IgnoreListOrder`** +```powershell +Name: -MatchType +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+### `-IgnoreListOrder` + +```powershell +Name: -IgnoreListOrder +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MatchMapOrder`** +### `-MatchMapOrder` By default, items in dictionary (including properties of an PSCustomObject or Component Object) are matched by their key name (independent of the order). @@ -146,26 +167,32 @@ If the `-MatchMapOrder` switch is supplied, each entry is also validated by the > A `[HashTable]` type is unordered by design and therefore, regardless the `-MatchMapOrder` switch, the order of the `[HashTable]` (defined by the `$Reference`) are always ignored. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MatchMapOrder +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MaxDepth `** +### `-MaxDepth` <Int32> The maximal depth to recursively compare each embedded property (default: 10). - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:[PSNode]::DefaultMaxDepth
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MaxDepth +Aliases: -Depth +Type: [Int32] +Value (default): [PSNode]::DefaultMaxDepth +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` [comment]: <> (Created with Get-MarkdownHelp: Install-Script -Name Get-MarkdownHelp) diff --git a/Docs/ConvertFrom-Expression.md b/Docs/ConvertFrom-Expression.md index eceb7d0..b376ad2 100644 --- a/Docs/ConvertFrom-Expression.md +++ b/Docs/ConvertFrom-Expression.md @@ -17,11 +17,11 @@ ConvertFrom-Expression ## Description The `ConvertFrom-Expression` cmdlet safely converts a PowerShell formatted expression to an object-graph -existing of a mixture of nested arrays, hashtables and objects that contain a list of strings and values. +existing of a mixture of nested arrays, hash tables and objects that contain a list of strings and values. ## Parameters -### **`-InputObject `** +### `-InputObject` <String> Specifies the PowerShell expressions to convert to objects. Enter a variable that contains the string, or type a command or expression that gets the string. You can also pipe a string to ConvertFrom-Expression. @@ -29,21 +29,28 @@ or type a command or expression that gets the string. You can also pipe a string The **InputObject** parameter is required, but its value can be an empty string. The **InputObject** value can't be `$null` or an empty string. - - - - - - - -
Type:String
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -InputObject +Aliases: -Expression +Type: [String] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-LanguageMode `** +### `-LanguageMode` <PSLanguageMode> Defines which object types are allowed for the deserialization, see: [About language modes][2] * Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, + +```PowerShell `[String]`, `[Array]` or `[HashTable]`. +``` + * Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. > [!Caution] @@ -56,41 +63,50 @@ Defines which object types are allowed for the deserialization, see: [About lang > best to design your configuration expressions with restricted or constrained classes, rather than > allowing full freeform expressions. - - - - - - - -
Type:PSLanguageMode
Mandatory:False
Position:Named
Default value:'Restricted'
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -LanguageMode +Aliases: # None +Type: [PSLanguageMode] +Value (default): 'Restricted' +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ListAs `** +### `-ListAs` <Object> If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown or denied type initializer will be converted to the given list type. - - - - - - - -
Type:Object
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -ListAs +Aliases: -ArrayAs +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MapAs `** +### `-MapAs` <Object> If supplied, the Hash table literal syntax `@{ }` syntaxes without an type initializer or with an unknown or denied type initializer will be converted to the given map (dictionary or object) type. - - - - - - - -
Type:Object
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MapAs +Aliases: -DictionaryAs +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` [comment]: <> (Created with Get-MarkdownHelp: Install-Script -Name Get-MarkdownHelp) diff --git a/Docs/ConvertTo-Expression.md b/Docs/ConvertTo-Expression.md index 4781e86..b079c1a 100644 --- a/Docs/ConvertTo-Expression.md +++ b/Docs/ConvertTo-Expression.md @@ -41,22 +41,25 @@ $Object = Invoke-Expression ($Object | ConvertTo-Expression) ## Parameters -### **`-InputObject `** +### `-InputObject` <Object> Specifies the objects to convert to a PowerShell expression. Enter a variable that contains the objects, or type a command or expression that gets the objects. You can also pipe one or more objects to `ConvertTo-Expression.` - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -InputObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-LanguageMode `** +### `-LanguageMode` <PSLanguageMode> Defines which object types are allowed for the serialization, see: [About language modes][2] If a specific type isn't allowed in the given language mode, it will be substituted by: @@ -71,16 +74,19 @@ If a specific type isn't allowed in the given language mode, it will be substitu See the [PSNode Object Parser][1] for a detailed definition on node types. - - - - - - - -
Type:PSLanguageMode
Mandatory:False
Position:Named
Default value:'Restricted'
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -LanguageMode +Aliases: # None +Type: [PSLanguageMode] +Value (default): 'Restricted' +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ExpandDepth `** +### `-ExpandDepth` <Int32> Defines up till what level the collections will be expanded in the output. @@ -91,16 +97,19 @@ Defines up till what level the collections will be expanded in the output. > White spaces (as newline characters and spaces) will not be removed from the content > of a (here) string. - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:[Int]::MaxValue
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -ExpandDepth +Aliases: -Expand +Type: [Int32] +Value (default): [Int]::MaxValue +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Explicit`** +### `-Explicit` By default, restricted language types initializers are suppressed. When the `Explicit` switch is set, *all* values will be prefixed with an initializer @@ -109,33 +118,39 @@ When the `Explicit` switch is set, *all* values will be prefixed with an initial > [!Note] > The `-Explicit` switch can not be used in **restricted** language mode - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Explicit +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-FullTypeName`** +### `-FullTypeName` In case a value is prefixed with an initializer, the full type name of the initializer is used. > [!Note] > The `-FullTypename` switch can not be used in **restricted** language mode and will only be -> meaningful if the initializer is used (see also the [-Explicit](#-explicit) switch). - - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+> meaningful if the initializer is used (see also the [`-Explicit`](#-explicit) switch). + +```powershell +Name: -FullTypeName +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-HighFidelity`** +### `-HighFidelity` If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. @@ -158,53 +173,65 @@ due to constructor limitations such as readonly property. > [!Note] > The Object property `TypeId = []` is always excluded. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -HighFidelity +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ExpandSingleton`** +### `-ExpandSingleton` (List or map) collections nodes that contain a single item will not be expanded unless this `-ExpandSingleton` is supplied. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
- -### **`-Indent `** +```powershell +Name: -ExpandSingleton +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` - - - - - - - -
Type:String
Mandatory:False
Position:Named
Default value:' '
Accept pipeline input:False
Accept wildcard characters:False
+### `-Indent` <String> + +```powershell +Name: -Indent +Aliases: # None +Type: [String] +Value (default): ' ' +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MaxDepth `** +### `-MaxDepth` <Int32> Specifies how many levels of contained objects are included in the PowerShell representation. The default value is define by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`). - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:[PSNode]::DefaultMaxDepth
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MaxDepth +Aliases: -Depth +Type: [Int32] +Value (default): [PSNode]::DefaultMaxDepth +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` ## Inputs @@ -217,8 +244,10 @@ String[]. `ConvertTo-Expression` returns a PowerShell [String](#string) expressi ## Related Links -* 1: [PowerShell Object Parser][1] -* 2: [About language modes][2] +* [PowerShell Object Parser](https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md) +* [About language modes](https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes) + + [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" [2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" diff --git a/Docs/Copy-ObjectGraph.md b/Docs/Copy-ObjectGraph.md index 9b58a54..fa50a4d 100644 --- a/Docs/Copy-ObjectGraph.md +++ b/Docs/Copy-ObjectGraph.md @@ -21,21 +21,21 @@ Recursively ("deep") copies a object graph. ## Examples -### Example 1: Deep copy a complete object graph into a new object graph +### Example 1: Deep copy a complete object graph into a new object graph ```PowerShell $NewObjectGraph = Copy-ObjectGraph $ObjectGraph ``` -### Example 2: Copy (convert) an object graph using common PowerShell arrays and PSCustomObjects +### Example 2: Copy (convert) an object graph using common PowerShell arrays and PSCustomObjects ```PowerShell $PSObject = Copy-ObjectGraph $Object -ListAs [Array] -DictionaryAs PSCustomObject ``` -### Example 3: Convert a Json string to an object graph with (case insensitive) ordered dictionaries +### Example 3: Convert a Json string to an object graph with (case insensitive) ordered dictionaries ```PowerShell @@ -44,72 +44,89 @@ $PSObject = $Json | ConvertFrom-Json | Copy-ObjectGraph -DictionaryAs ([Ordered] ## Parameters -### **`-InputObject `** +### `-InputObject` <Object> The input object that will be recursively copied. - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -InputObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ListAs `** +### `-ListAs` <Object> If supplied, lists will be converted to the given type (or type of the supplied object example). - - - - - - - -
Type:Object
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
- -### **`-MapAs `** +```powershell +Name: -ListAs +Aliases: -ArrayAs +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` - - - - - - - -
Type:Object
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+### `-MapAs` <Object> + +```powershell +Name: -MapAs +Aliases: -DictionaryAs +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ExcludeLeafs`** +### `-ExcludeLeafs` If supplied, only the structure (lists, dictionaries, [`PSCustomObject`][1] types and [`Component`][2] types will be copied. If omitted, each leaf will be shallow copied - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
- -### **`-MaxDepth `** - - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:[PSNode]::DefaultMaxDepth
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -ExcludeLeafs +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` + +### `-MaxDepth` <Int32> + +```powershell +Name: -MaxDepth +Aliases: -Depth +Type: [Int32] +Value (default): [PSNode]::DefaultMaxDepth +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` ## Related Links -* 1: [PSCustomObject Class][1] -* 2: [Component Class][2] +* [PSCustomObject Class](https://learn.microsoft.com/dotnet/api/system.management.automation.pscustomobject) +* [Component Class](https://learn.microsoft.com/dotnet/api/system.componentmodel.component) + + [1]: https://learn.microsoft.com/dotnet/api/system.management.automation.pscustomobject "PSCustomObject Class" [2]: https://learn.microsoft.com/dotnet/api/system.componentmodel.component "Component Class" diff --git a/Docs/Export-ObjectGraph.md b/Docs/Export-ObjectGraph.md index 6ab70d5..6d5ad0d 100644 --- a/Docs/Export-ObjectGraph.md +++ b/Docs/Export-ObjectGraph.md @@ -7,6 +7,7 @@ Serializes a PowerShell File or object-graph and exports it to a PowerShell (dat ```PowerShell Export-ObjectGraph + -Path -InputObject [-LanguageMode ] [-ExpandDepth = [Int]::MaxValue] @@ -20,15 +21,19 @@ Export-ObjectGraph [] ``` -```PowerShell -Export-ObjectGraph - -Path - [] -``` - ```PowerShell Export-ObjectGraph -LiteralPath + -InputObject + [-LanguageMode ] + [-ExpandDepth = [Int]::MaxValue] + [-Explicit] + [-FullTypeName] + [-HighFidelity] + [-ExpandSingleton] + [-Indent = ' '] + [-MaxDepth = [PSNode]::DefaultMaxDepth] + [-Encoding ] [] ``` @@ -39,48 +44,57 @@ and exports it to a PowerShell (`.ps1`) file or a PowerShell data (`.psd1`) file ## Parameters -### **`-InputObject `** - - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+### `-InputObject` <Object> + +```powershell +Name: -InputObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Path `** +### `-Path` <String[]> Specifies the path to a file where `Export-ObjectGraph` exports the ObjectGraph. Wildcard characters are permitted. - - - - - - - -
Type:String[]
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Path +Aliases: # None +Type: [String[]] +Value (default): # Undefined +Parameter sets: Path +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-LiteralPath `** +### `-LiteralPath` <String[]> Specifies a path to one or more locations where PowerShell should export the object-graph. The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell PowerShell not to interpret any characters as escape sequences. - - - - - - - -
Type:String[]
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -LiteralPath +Aliases: -PSPath, -LP +Type: [String[]] +Value (default): # Undefined +Parameter sets: LiteralPath +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-LanguageMode `** +### `-LanguageMode` <PSLanguageMode> Defines which object types are allowed for the serialization, see: [About language modes][2] If a specific type isn't allowed in the given language mode, it will be substituted by: @@ -95,16 +109,19 @@ If a specific type isn't allowed in the given language mode, it will be substitu See the [PSNode Object Parser][1] for a detailed definition on node types. - - - - - - - -
Type:PSLanguageMode
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -LanguageMode +Aliases: # None +Type: [PSLanguageMode] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ExpandDepth `** +### `-ExpandDepth` <Int32> Defines up till what level the collections will be expanded in the output. @@ -115,16 +132,19 @@ Defines up till what level the collections will be expanded in the output. > White spaces (as newline characters and spaces) will not be removed from the content > of a (here) string. - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:[Int]::MaxValue
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -ExpandDepth +Aliases: -Expand +Type: [Int32] +Value (default): [Int]::MaxValue +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Explicit`** +### `-Explicit` By default, restricted language types initializers are suppressed. When the `Explicit` switch is set, *all* values will be prefixed with an initializer @@ -133,33 +153,39 @@ When the `Explicit` switch is set, *all* values will be prefixed with an initial > [!Note] > The `-Explicit` switch can not be used in **restricted** language mode - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Explicit +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-FullTypeName`** +### `-FullTypeName` In case a value is prefixed with an initializer, the full type name of the initializer is used. > [!Note] > The `-FullTypename` switch can not be used in **restricted** language mode and will only be -> meaningful if the initializer is used (see also the [-Explicit](#-explicit) switch). - - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+> meaningful if the initializer is used (see also the [`-Explicit`](#-explicit) switch). + +```powershell +Name: -FullTypeName +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-HighFidelity`** +### `-HighFidelity` If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. @@ -182,71 +208,88 @@ due to constructor limitations such as readonly property. > [!Note] > Objects properties of type `[Reflection.MemberInfo]` are always excluded. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -HighFidelity +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ExpandSingleton`** +### `-ExpandSingleton` (List or map) collections nodes that contain a single item will not be expanded unless this `-ExpandSingleton` is supplied. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
- -### **`-Indent `** +```powershell +Name: -ExpandSingleton +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` - - - - - - - -
Type:String
Mandatory:False
Position:Named
Default value:' '
Accept pipeline input:False
Accept wildcard characters:False
+### `-Indent` <String> + +```powershell +Name: -Indent +Aliases: # None +Type: [String] +Value (default): ' ' +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MaxDepth `** +### `-MaxDepth` <Int32> Specifies how many levels of contained objects are included in the PowerShell representation. -The default value is define by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`). - - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:[PSNode]::DefaultMaxDepth
Accept pipeline input:False
Accept wildcard characters:False
+The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). + +```powershell +Name: -MaxDepth +Aliases: -Depth +Type: [Int32] +Value (default): [PSNode]::DefaultMaxDepth +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Encoding `** +### `-Encoding` <Object> Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. - - - - - - - -
Type:Object
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Encoding +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` ## Related Links -* 1: [PowerShell Object Parser][1] -* 2: [About language modes][2] +* [PowerShell Object Parser](https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md) +* [About language modes](https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes) + + [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" [2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" diff --git a/Docs/Get-ChildNode.md b/Docs/Get-ChildNode.md index 69e2a7b..d7abdb0 100644 --- a/Docs/Get-ChildNode.md +++ b/Docs/Get-ChildNode.md @@ -7,6 +7,7 @@ Gets the child nodes of an object-graph ```PowerShell Get-ChildNode + [-ListChild] -InputObject [-Recurse] [-AtDepth ] @@ -17,17 +18,18 @@ Get-ChildNode [] ``` -```PowerShell -Get-ChildNode - [-ListChild] - [] -``` - ```PowerShell Get-ChildNode [-Include ] [-Exclude ] [-Literal] + -InputObject + [-Recurse] + [-AtDepth ] + [-Leaf] + [-IncludeSelf] + [-ValueOnly] + [-MaxDepth ] [] ``` @@ -38,7 +40,7 @@ The returned nodes are unique even if the provide list of input parent nodes hav ## Examples -### Example 1: Select all leaf nodes in a object graph +### Example 1: Select all leaf nodes in a object graph Given the following object graph: @@ -85,7 +87,7 @@ Path Name Depth Value .Comment Comment 1 Sample ObjectGraph ``` -### Example 2: update a property +### Example 2: update a property The following example selects all child nodes named `Comment` at a depth of `3`. @@ -124,20 +126,23 @@ See the [PowerShell Object Parser][1] For details on the `[PSNode]` properties a ## Parameters -### **`-InputObject `** +### `-InputObject` <Object> The concerned object graph or node. - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -InputObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Recurse`** +### `-Recurse` Recursively iterates through all embedded property objects (nodes) to get the selected nodes. The maximum depth of of a specific node that might be retrieved is define by the `MaxDepth` @@ -153,135 +158,162 @@ Get-Node -Depth 20 | Get-ChildNode ... > If the [AtDepth](#atdepth) parameter is supplied, the object graph is recursively searched anyways > for the selected nodes up till the deepest given `AtDepth` value. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Recurse +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-AtDepth `** +### `-AtDepth` <Int32[]> When defined, only returns nodes at the given depth(s). > [!NOTE] > The nodes below the `MaxDepth` can not be retrieved. - - - - - - - -
Type:Int32[]
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -AtDepth +Aliases: # None +Type: [Int32[]] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ListChild`** +### `-ListChild` Returns the closest nodes derived from a **list node**. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -ListChild +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: ListChild +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Include `** +### `-Include` <String[]> Returns only nodes derived from a **map node** including only the ones specified by one or more string patterns defined by this parameter. Wildcard characters are permitted. > [!NOTE] -> The [-Include](#-include) and [-Exclude](#-exclude) parameters can be used together. However, the exclusions are applied +> The [`-Include`](#-include) and [`-Exclude`](#-exclude) parameters can be used together. However, the exclusions are applied > after the inclusions, which can affect the final output. - - - - - - - -
Type:String[]
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Include +Aliases: # None +Type: [String[]] +Value (default): # Undefined +Parameter sets: MapChild +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Exclude `** +### `-Exclude` <String[]> Returns only nodes derived from a **map node** excluding the ones specified by one or more string patterns defined by this parameter. Wildcard characters are permitted. > [!NOTE] -> The [-Include](#-include) and [-Exclude](#-exclude) parameters can be used together. However, the exclusions are applied +> The [`-Include`](#-include) and [`-Exclude`](#-exclude) parameters can be used together. However, the exclusions are applied > after the inclusions, which can affect the final output. - - - - - - - -
Type:String[]
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Exclude +Aliases: # None +Type: [String[]] +Value (default): # Undefined +Parameter sets: MapChild +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Literal`** +### `-Literal` -The values of the [-Include](#-include) - and [-Exclude](#-exclude) parameters are used exactly as it is typed. +The values of the [`-Include`](#-include) - and [`-Exclude`](#-exclude) parameters are used exactly as it is typed. No characters are interpreted as wildcards. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Literal +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: MapChild +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Leaf`** +### `-Leaf` Only return leaf nodes. Leaf nodes are nodes at the end of a branch and do not have any child nodes. -You can use the [-Recurse](#-recurse) parameter with the [-Leaf](#-leaf) parameter. - - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+You can use the [`-Recurse`](#-recurse) parameter with the [`-Leaf`](#-leaf) parameter. + +```powershell +Name: -Leaf +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-IncludeSelf`** +### `-IncludeSelf` Includes the current node with the returned child nodes. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -IncludeSelf +Aliases: -Self +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ValueOnly`** +### `-ValueOnly` returns the value of the node instead of the node itself. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -ValueOnly +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MaxDepth `** +### `-MaxDepth` <Int32> Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. The failsafe will prevent infinitive loops for circular references as e.g. in: @@ -297,19 +329,24 @@ The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. > The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node > at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MaxDepth +Aliases: # None +Type: [Int32] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` ## Related Links -* 1: [PowerShell Object Parser][1] -* 2: [Get-Node][2] +* [PowerShell Object Parser](https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md) +* [Get-Node](https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Get-Node.md) + + [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" [2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Get-Node.md "Get-Node" diff --git a/Docs/Get-Node.md b/Docs/Get-Node.md index f34f891..94089f4 100644 --- a/Docs/Get-Node.md +++ b/Docs/Get-Node.md @@ -7,26 +7,22 @@ Get a node ```PowerShell Get-Node + [-Path ] + [-Literal] -InputObject + [-ValueOnly] [-Unique] [-MaxDepth ] [] ``` -```PowerShell -Get-Node - [-Path ] - [-Literal] - [] -``` - ## Description The Get-Node cmdlet gets the node at the specified property location of the supplied object graph. ## Examples -### Example 1: Parse a object graph to a node instance +### Example 1: Parse a object graph to a node instance The following example parses a hash table to `[PSNode]` instance: @@ -36,10 +32,10 @@ The following example parses a hash table to `[PSNode]` instance: PathName Name Depth Value -------- ---- ----- ----- - 0 {My, Object} + 0 {My, Object} ``` -### Example 2: select a sub node in an object graph +### Example 2: select a sub node in an object graph The following example parses a hash table to `[PSNode]` instance and selects the second (`0` indexed) @@ -53,7 +49,7 @@ PathName Name Depth Value My[1] 1 2 2 ``` -### Example 3: Change the price of the **PowerShell** book: +### Example 3: Change the price of the **PowerShell** book: ```PowerShell @@ -99,20 +95,23 @@ for more details, see: [PowerShell Object Parser][1] and [Extended dot notation] ## Parameters -### **`-InputObject `** +### `-InputObject` <Object> The concerned object graph or node. - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -InputObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Path `** +### `-Path` <Object> Specifies the path to a specific node in the object graph. The path might be either: @@ -121,43 +120,68 @@ The path might be either: * A array of strings (dictionary keys or Property names) and/or integers (list indices) * A `[PSNodePath]` (such as `$Node.Path`) or a `[XdnPath]` (Extended Dot-Notation) object - - - - - - - -
Type:Object
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Path +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: Path +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Literal`** +### `-Literal` If Literal switch is set, all (map) nodes in the given path are considered literal. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Literal +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: Path +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` + +### `-ValueOnly` -### **`-Unique`** +returns the value of the node instead of the node itself. + +```powershell +Name: -ValueOnly +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` + +### `-Unique` Specifies that if a subset of the nodes has identical properties and values, only a single node of the subset should be selected. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Unique +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MaxDepth `** +### `-MaxDepth` <Int32> Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. The failsafe will prevent infinitive loops for circular references as e.g. in: @@ -173,21 +197,26 @@ The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. > The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node > at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MaxDepth +Aliases: # None +Type: [Int32] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` ## Related Links -* 1: [PowerShell Object Parser][1] -* 2: [Extended dot notation][2] +* [PowerShell Object Parser](https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md) +* [Extended dot notation](https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Xdn.md) + + [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" -[2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/XdnPath.md "Extended dot notation" +[2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Xdn.md "Extended dot notation" [comment]: <> (Created with Get-MarkdownHelp: Install-Script -Name Get-MarkdownHelp) diff --git a/Docs/Import-ObjectGraph.md b/Docs/Import-ObjectGraph.md index 12adf38..d3eea5f 100644 --- a/Docs/Import-ObjectGraph.md +++ b/Docs/Import-ObjectGraph.md @@ -8,17 +8,16 @@ Deserializes a PowerShell File or any object-graphs from PowerShell file to an o ```PowerShell Import-ObjectGraph -Path + [-ListAs ] + [-MapAs ] + [-LanguageMode ] + [-Encoding ] [] ``` ```PowerShell Import-ObjectGraph -LiteralPath - [] -``` - -```PowerShell -Import-ObjectGraph [-ListAs ] [-MapAs ] [-LanguageMode ] @@ -34,74 +33,90 @@ of strings and values. ## Parameters -### **`-Path `** +### `-Path` <String[]> Specifies the path to a file where `Import-ObjectGraph` imports the object-graph. Wildcard characters are permitted. - - - - - - - -
Type:String[]
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Path +Aliases: # None +Type: [String[]] +Value (default): # Undefined +Parameter sets: Path +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-LiteralPath `** +### `-LiteralPath` <String[]> Specifies a path to one or more locations that contain a PowerShell the object-graph. The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell PowerShell not to interpret any characters as escape sequences. - - - - - - - -
Type:String[]
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -LiteralPath +Aliases: -PSPath, -LP +Type: [String[]] +Value (default): # Undefined +Parameter sets: LiteralPath +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ListAs `** +### `-ListAs` <Object> -If supplied, the array sub-expression `@( )` syntaxes without an type initializer or with an unknown or +If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown or denied type initializer will be converted to the given list type. - - - - - - - -
Type:Object
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -ListAs +Aliases: -ArrayAs +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MapAs `** +### `-MapAs` <Object> -If supplied, the array sub-expression `@{ }` syntaxes without an type initializer or with an unknown or +If supplied, the array subexpression `@{ }` syntaxes without an type initializer or with an unknown or denied type initializer will be converted to the given map (dictionary or object) type. The default `MapAs` is an (ordered) `PSCustomObject` for PowerShell Data (`psd1`) files and a (unordered) `HashTable` for any other files, which usually concerns PowerShell (`.ps1`) files that support explicit type initiators. - - - - - - - -
Type:Object
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MapAs +Aliases: -DictionaryAs +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-LanguageMode `** +### `-LanguageMode` <PSLanguageMode> Defines which object types are allowed for the deserialization, see: [About language modes][2] * Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, + +```PowerShell `[String]`, `[Array]` or `[HashTable]`. +``` + * Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. The default `LanguageMode` is `Restricted` for PowerShell Data (`psd1`) files and `Constrained` for any @@ -117,32 +132,40 @@ other files, which usually concerns PowerShell (`.ps1`) files. > best to design your configuration expressions with restricted or constrained classes, rather than > allowing full freeform expressions. - - - - - - - -
Type:PSLanguageMode
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -LanguageMode +Aliases: # None +Type: [PSLanguageMode] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Encoding `** +### `-Encoding` <Object> Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. - - - - - - - -
Type:Object
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Encoding +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` ## Related Links -* 1: [PowerShell Object Parser][1] -* 2: [About language modes][2] +* [PowerShell Object Parser](https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md) +* [About language modes](https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes) + + [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" [2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" diff --git a/Docs/Merge-ObjectGraph.md b/Docs/Merge-ObjectGraph.md index f5b2457..beb0250 100644 --- a/Docs/Merge-ObjectGraph.md +++ b/Docs/Merge-ObjectGraph.md @@ -21,9 +21,9 @@ Recursively merges two object graphs into a new object graph. ## Parameters -### **`-InputObject `** +### `-InputObject` <Object> -The input object that will be merged with the template object (see: [-Template](#-template) parameter). +The input object that will be merged with the template object (see: [`-Template`](#-template) parameter). > [!NOTE] > Multiple input object might be provided via the pipeline. @@ -34,70 +34,86 @@ The input object that will be merged with the template object (see: [-Template]( ,$InputObject | Compare-ObjectGraph $Template. ``` - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -InputObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Template `** +### `-Template` <Object> -The template that is used to merge with the input object (see: [-InputObject](#-inputobject) parameter). +The template that is used to merge with the input object (see: [`-InputObject`](#-inputobject) parameter). - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Template +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-PrimaryKey `** +### `-PrimaryKey` <String[]> In case of a list of dictionaries or PowerShell objects, the PowerShell key is used to -link the items or properties: if the PrimaryKey exists on both the [-Template](#-template) and the -[-InputObject](#-inputobject) and the values are equal, the dictionary or PowerShell object will be merged. +link the items or properties: if the PrimaryKey exists on both the [`-Template`](#-template) and the +[`-InputObject`](#-inputobject) and the values are equal, the dictionary or PowerShell object will be merged. Otherwise (if the key can't be found or the values differ), the complete dictionary or PowerShell object will be added to the list. It is allowed to supply multiple primary keys where each primary key will be used to -check the relation between the [-Template](#-template) and the [-InputObject](#-inputobject). - - - - - - - - -
Type:String[]
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
- -### **`-MatchCase`** - - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
- -### **`-MaxDepth `** - -The maximal depth to recursively compare each embedded property (default: 10). - - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:[PSNode]::DefaultMaxDepth
Accept pipeline input:False
Accept wildcard characters:False
+check the relation between the [`-Template`](#-template) and the [`-InputObject`](#-inputobject). + +```powershell +Name: -PrimaryKey +Aliases: # None +Type: [String[]] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` + +### `-MatchCase` + +```powershell +Name: -MatchCase +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` + +### `-MaxDepth` <Int32> + +The maximal depth to recursively compare each embedded node. +The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). + +```powershell +Name: -MaxDepth +Aliases: -Depth +Type: [Int32] +Value (default): [PSNode]::DefaultMaxDepth +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` [comment]: <> (Created with Get-MarkdownHelp: Install-Script -Name Get-MarkdownHelp) diff --git a/Docs/Sort-ObjectGraph.md b/Docs/Sort-ObjectGraph.md index 76729d7..a298235 100644 --- a/Docs/Sort-ObjectGraph.md +++ b/Docs/Sort-ObjectGraph.md @@ -1,12 +1,12 @@ -# ConvertTo-SortedObjectGraph +# Invoke-SortObjectGraph -Sort object graph +Sort an object graph ## Syntax ```PowerShell -ConvertTo-SortedObjectGraph +Invoke-SortObjectGraph -InputObject [-PrimaryKey ] [-MatchCase] @@ -17,15 +17,20 @@ ConvertTo-SortedObjectGraph ## Description -Recursively sorts a object graph. +Recursively sorts an object graph. + +> [!WARNING](#warning) +> `Sort-ObjectGraph` is an alias for `Invoke-SortObjectGraph` but to avoid "unapproved verb" warnings during the +> module import a different cmdlet name used. See: +> [Give the script author the ability to disable the unapproved verbs warning][https://github.com/PowerShell/PowerShell/issues/25642] ## Parameters -### **`-InputObject `** +### `-InputObject` <Object> The input object that will be recursively sorted. -> [!NOTE] +> [!NOTE](#note) > Multiple input object might be provided via the pipeline. > The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. > To avoid a list of (root) objects to unroll, use the **comma operator**: @@ -34,71 +39,86 @@ The input object that will be recursively sorted. ,$InputObject | Sort-Object. ``` - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -InputObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: # All +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-PrimaryKey `** +### `-PrimaryKey` <String[]> -Any primary key defined by the [-PrimaryKey](#-primarykey) parameter will be put on top of [-InputObject](#-inputobject) +Any primary key defined by the [`-PrimaryKey`](#-primarykey) parameter will be put on top of [`-InputObject`](#-inputobject) independent of the (descending) sort order. It is allowed to supply multiple primary keys. - - - - - - - -
Type:String[]
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -PrimaryKey +Aliases: -By +Type: [String[]] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MatchCase`** +### `-MatchCase` (Alias `-CaseSensitive`) Indicates that the sort is case-sensitive. By default, sorts aren't case-sensitive. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MatchCase +Aliases: -CaseSensitive +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Descending`** +### `-Descending` Indicates that Sort-Object sorts the objects in descending order. The default is ascending order. -> [!NOTE] -> Primary keys (see: [-PrimaryKey](#-primarykey)) will always put on top. - - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+> [!NOTE](#note) +> Primary keys (see: [`-PrimaryKey`](#-primarykey)) will always put on top. + +```powershell +Name: -Descending +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MaxDepth `** +### `-MaxDepth` <Int32> The maximal depth to recursively compare each embedded property (default: 10). - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:[PSNode]::DefaultMaxDepth
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MaxDepth +Aliases: -Depth +Type: [Int32] +Value (default): [PSNode]::DefaultMaxDepth +Parameter sets: # All +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` [comment]: <> (Created with Get-MarkdownHelp: Install-Script -Name Get-MarkdownHelp) diff --git a/Docs/Test-ObjectGraph.md b/Docs/Test-ObjectGraph.md index f93d094..303b921 100644 --- a/Docs/Test-ObjectGraph.md +++ b/Docs/Test-ObjectGraph.md @@ -38,7 +38,7 @@ The schema object has the following major features: ## Examples -### Example 1: Test whether a `$Person` object meats the schema requirements. +### Example 1: Test whether a `$Person` object meats the schema requirements. ```PowerShell @@ -95,23 +95,26 @@ $Person | Test-Object $Schema | Should -BeNullOrEmpty ## Parameters -### **`-InputObject `** +### `-InputObject` <Object> Specifies the object to test for validity against the schema object. The object might be any object containing embedded (or even recursive) lists, dictionaries, objects or scalar values received from a application or an object notation as Json or YAML using their related `ConvertFrom-*` cmdlets. - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -InputObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: ValidateOnly, ResultList +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-SchemaObject `** +### `-SchemaObject` <Object> Specifies a schema to validate the JSON input against. By default, if any discrepancies, toy will be reported in a object list containing the path to failed node, the value whether the node is valid or not and the issue. @@ -119,72 +122,89 @@ If no issues are found, the output is empty. For details on the schema object, see the [schema object definitions][1] documentation. - - - - - - - -
Type:Object
Mandatory:True
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -SchemaObject +Aliases: # None +Type: [Object] +Value (default): # Undefined +Parameter sets: ValidateOnly, ResultList +Mandatory: True +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-ValidateOnly`** +### `-ValidateOnly` If set, the cmdlet will stop at the first invalid node and return the test result object. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -ValidateOnly +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: ValidateOnly +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-Elaborate`** +### `-Elaborate` If set, the cmdlet will return the test result object for all tested nodes, even if they are valid or ruled out in a possible list node branch selection. - - - - - - - -
Type:SwitchParameter
Mandatory:False
Position:Named
Default value:
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -Elaborate +Aliases: # None +Type: [SwitchParameter] +Value (default): # Undefined +Parameter sets: ResultList +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-AssertTestPrefix `** +### `-AssertTestPrefix` <String> The prefix used to identify the assert test nodes in the schema object. By default, the prefix is `AssertTestPrefix`. - - - - - - - -
Type:String
Mandatory:False
Position:Named
Default value:'AssertTestPrefix'
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -AssertTestPrefix +Aliases: # None +Type: [String] +Value (default): 'AssertTestPrefix' +Parameter sets: ValidateOnly, ResultList +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` -### **`-MaxDepth `** +### `-MaxDepth` <Int32> The maximal depth to recursively test each embedded node. The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). - - - - - - - -
Type:Int32
Mandatory:False
Position:Named
Default value:[PSNode]::DefaultMaxDepth
Accept pipeline input:False
Accept wildcard characters:False
+```powershell +Name: -MaxDepth +Aliases: -Depth +Type: [Int32] +Value (default): [PSNode]::DefaultMaxDepth +Parameter sets: ValidateOnly, ResultList +Mandatory: False +Position: # Named +Accept pipeline input: False +Accept wildcard characters: False +``` ## Related Links -* 1: [Schema object definitions][1] +* [Schema object definitions](https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/SchemaObject.md) + + [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/SchemaObject.md "Schema object definitions" diff --git a/ObjectGraphTools.psd1 b/ObjectGraphTools.psd1 index 87beb69..bdce587 100644 --- a/ObjectGraphTools.psd1 +++ b/ObjectGraphTools.psd1 @@ -3,7 +3,7 @@ RootModule = 'ObjectGraphTools.psm1' # Version number of this module. - ModuleVersion = '0.3.2' + ModuleVersion = '0.3.3' # Supported PSEditions # CompatiblePSEditions = @() @@ -85,7 +85,7 @@ PSData = @{ - Prerelease = 'Preview-3' + Prerelease = 'Preview-2' # Tags applied to this module. These help with module discovery in online galleries. Tags = 'Object', 'Graph', 'Complex', 'Dictionary', 'List', 'HashTable', 'Array', 'Merge', 'Sort', 'Test' diff --git a/ObjectGraphTools.psm1 b/ObjectGraphTools.psm1 index f8b1562..bb330ce 100644 --- a/ObjectGraphTools.psm1 +++ b/ObjectGraphTools.psm1 @@ -226,7 +226,7 @@ Class PSNode : IComparable { return $Node } - static [PSNode] ParseInput($Object) { return [PSNode]::parseInput($Object, 0) } + static [PSNode] ParseInput($Object) { return [PSNode]::ParseInput($Object, 0) } static [int] Compare($Left, $Right) { return [ObjectComparer]::new().Compare($Left, $Right) @@ -324,60 +324,67 @@ Class PSNode : IComparable { } hidden CollectNodes($NodeTable, [XdnPath]$Path, [Int]$PathIndex) { + if ($PathIndex -ge $Path.Entries.Count) { + $NodeTable[$this.getPathName()] = $this + return + } $Entry = $Path.Entries[$PathIndex] - $NextIndex = if ($PathIndex -lt $Path.Entries.Count -1) { $PathIndex + 1 } - $NextEntry = if ($NextIndex) { $Path.Entries[$NextIndex] } - $Equals = if ($NextEntry -and $NextEntry.Key -eq 'Equals') { - $NextEntry.Value - $NextIndex = if ($NextIndex -lt $Path.Entries.Count -1) { $NextIndex + 1 } - } - switch ($Entry.Key) { - Root { - $Node = $this.RootNode - if ($NextIndex) { $Node.CollectNodes($NodeTable, $Path, $NextIndex) } - else { $NodeTable[$Node.getPathName()] = $Node } + if ($Entry.Key -eq 'Root') { + $this.RootNode.CollectNodes($NodeTable, $Path, ($PathIndex + 1)) + } + elseif ($Entry.Key -eq 'Ancestor') { + $Node = $this + for($i = $Entry.Value; $i -gt 0 -and $Node.ParentNode; $i--) { $Node = $Node.ParentNode } + if ($i -eq 0) { $Node.CollectNodes($NodeTable, $Path, ($PathIndex + 1)) } + } + elseif ($Entry.Key -eq 'Index') { + if ($this -is [PSListNode] -and [Int]::TryParse($Entry.Value, [Ref]$Null)) { + $this.GetChildNode([Int]$Entry.Value).CollectNodes($NodeTable, $Path, ($PathIndex + 1)) } - Ancestor { - $Node = $this - for($i = $Entry.Value; $i -gt 0 -and $Node.ParentNode; $i--) { $Node = $Node.ParentNode } - if ($i -eq 0) { # else: reached root boundary - if ($NextIndex) { $Node.CollectNodes($NodeTable, $Path, $NextIndex) } - else { $NodeTable[$Node.getPathName()] = $Node } + } + elseif ($Entry.Key -eq 'Equals') { + if ($this -is [PSLeafNode]) { + foreach ($Value in $Entry.Value) { + if ($this._Value -like $Value) { + $this.CollectNodes($NodeTable, $Path, ($PathIndex + 1)) + break + } } } - Index { - if ($this -is [PSListNode] -and [Int]::TryParse($Entry.Value, [Ref]$Null)) { - $Node = $this.GetChildNode([Int]$Entry.Value) - if ($NextIndex) { $Node.CollectNodes($NodeTable, $Path, $NextIndex) } - else { $NodeTable[$Node.getPathName()] = $Node } - } + } + elseif ($this -is [PSListNode]) { # Member access enumeration + foreach ($Node in $this.get_ChildNodes()) { + $Node.CollectNodes($NodeTable, $Path, $PathIndex) } - Default { # Child, Descendant - if ($this -is [PSListNode]) { # Member access enumeration - foreach ($Node in $this.get_ChildNodes()) { - $Node.CollectNodes($NodeTable, $Path, $PathIndex) + } + elseif ($this -is [PSMapNode]) { + $Count0 = $NodeTable.get_Count() + foreach ($Value in $Entry.Value) { + $Name = $Value._Value + if ($Value.ContainsWildcard()) { + $CaseMatters = $this.CaseMatters + foreach ($Node in $this.ChildNodes) { + if ($CaseMatters) { if ($Node.Name -cnotlike $Name) { continue } } + else { if ($Node.Name -notlike $Name) { continue } } + $Node.CollectNodes($NodeTable, $Path, ($PathIndex + 1)) } } - elseif ($this -is [PSMapNode]) { - $Found = $False - $ChildNodes = $this.get_ChildNodes() - foreach ($Node in $ChildNodes) { - if ($Entry.Value -eq $Node.Name -and (-not $Equals -or ($Node -is [PSLeafNode] -and $Equals -eq $Node._Value))) { - $Found = $True - if ($NextIndex) { $Node.CollectNodes($NodeTable, $Path, $NextIndex) } - else { $NodeTable[$Node.getPathName()] = $Node } - } - } - if (-not $Found -and $Entry.Key -eq 'Descendant') { - foreach ($Node in $ChildNodes) { - $Node.CollectNodes($NodeTable, $Path, $PathIndex) - } - } + elseif ($this.Contains($Name)) { + $this.GetChildNode($Name).CollectNodes($NodeTable, $Path, ($PathIndex + 1)) + } + } + if ( + ($Entry.Key -eq 'Offspring') -or + ($Entry.Key -eq 'Descendant' -and $NodeTable.get_Count() -eq $Count0) + ) { + foreach ($Node in $this.get_ChildNodes()) { + $Node.CollectNodes($NodeTable, $Path, $PathIndex) } } } } + [Object] GetNode([XdnPath]$Path) { $NodeTable = [system.collections.generic.dictionary[String, PSNode]]::new() # Case sensitive (case insensitive map nodes use the same name) $this.CollectNodes($NodeTable, $Path, 0) @@ -550,7 +557,7 @@ class ObjectComparer { Path = $Node2.Path + "[$Index2]" $this.Issue = 'Exists' $this.Name1 = $Null - $this.Name2 = if ($Item2 -is [PSLeafNode]) { "$($Item2.Value)" } else { "[$($Item2.ValueType)]" } + $this.Name2 = $Item2 }) } } @@ -563,7 +570,7 @@ class ObjectComparer { $this.Differences.Add([PSCustomObject]@{ Path = $Node1.Path + "[$Index1]" $this.Issue = 'Exists' - $this.Name1 = if ($Item1 -is [PSLeafNode]) { "$($Item1.Value)" } else { "[$($Item1.ValueType)]" } + $this.Name1 = $Item1 $this.Name2 = $Null }) } @@ -1137,7 +1144,10 @@ Class PSSerialize { $this.StringBuilder.Append(',') $this.NewWord() } - elseif ($ExpandSingle) { $this.NewWord('') } + else { + if ($ExpandSingle) { $this.NewWord('') } + if ($ChildNodes.Count -eq 1 -and $ChildNodes[0] -is [PSListNode]) { $this.StringBuilder.Append(',') } + } $this.Stringify($ChildNode) } $this.Offset-- @@ -1162,7 +1172,11 @@ Class PSSerialize { $this.StringBuilder.Append([VariableColor]( [PSKeyExpression]::new($ChildNodes[$Index].Name, [PSSerialize]::MaxKeyLength))) $this.StringBuilder.Append('=') - if (-not $IsSubNode -or $this.StringBuilder.Length -le [PSSerialize]::MaxKeyLength) { + if ( + -not $IsSubNode -or + $this.StringBuilder.Length -le [PSSerialize]::MaxKeyLength -or + ($ChildNodes.Count -eq 1 -and $ChildNodes[$Index] -is [PSLeafNode]) + ) { $this.StringBuilder.Append($this.Stringify($ChildNodes[$Index])) } else { $this.StringBuilder.Append([Abbreviate]::Ellipses) } @@ -1246,6 +1260,17 @@ Class ANSI { static [String]$InverseOff Static ANSI() { + # https://stackoverflow.com/questions/38045245/how-to-call-getstdhandle-getconsolemode-from-powershell + $MethodDefinitions = @' +[DllImport("kernel32.dll", SetLastError = true)] +public static extern IntPtr GetStdHandle(int nStdHandle); +[DllImport("kernel32.dll", SetLastError = true)] +public static extern bool GetConsoleMode(IntPtr hConsoleHandle, out uint lpMode); +'@ + $Kernel32 = Add-Type -MemberDefinition $MethodDefinitions -Name 'Kernel32' -Namespace 'Win32' -PassThru + $hConsoleHandle = $Kernel32::GetStdHandle(-11) # STD_OUTPUT_HANDLE + if (-not $Kernel32::GetConsoleMode($hConsoleHandle, [ref]0)) { return } + $PSReadLineOption = try { Get-PSReadLineOption -ErrorAction SilentlyContinue } catch { $null } if (-not $PSReadLineOption) { return } $ANSIType = [ANSI] -as [Type] @@ -2034,8 +2059,8 @@ Class PSDictionaryNode : PSMapNode { if ($this.get_CaseMatters()) { $ChildNode = $this.Cache['ChildNode'] $this.Cache['ChildNode'] = [HashTable]::new() # Create a new cache as it appears to be case sensitive - foreach ($Key in $ChildNode.get_Keys()) { # Migrate the content - $this.Cache.ChildNode[$Key] = $ChildNode[$Key] + foreach ($Name in $ChildNode.get_Keys()) { # Migrate the content + $this.Cache.ChildNode[$Name] = $ChildNode[$Name] } } } @@ -2114,7 +2139,7 @@ Class PSObjectNode : PSMapNode { $this._Value.PSObject.Properties[$Name].Value = $Value } else { - Add-Member -InputObject $this._Value -Type NoteProperty -Name $Name -Value $Value + $this._Value.PSObject.Properties.Add([PSNoteProperty]::new($Name, $Value)) $this.Cache.Remove('ChildNodes') } } @@ -2390,66 +2415,66 @@ if (@(`$Invoke).Count -gt 1) { `$Output } else { ,`$Output } function Compare-ObjectGraph { <# .SYNOPSIS - Compare Object Graph +Compare Object Graph .DESCRIPTION - Deep compares two Object Graph and lists the differences between them. +Deep compares two Object Graph and lists the differences between them. .PARAMETER InputObject - The input object that will be compared with the reference object (see: [-Reference] parameter). +The input object that will be compared with the reference object (see: [-Reference] parameter). - > [!NOTE] - > Multiple input object might be provided via the pipeline. - > The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. - > To avoid a list of (root) objects to unroll, use the **comma operator**: +> [!NOTE] +> Multiple input object might be provided via the pipeline. +> The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. +> To avoid a list of (root) objects to unroll, use the **comma operator**: - ,$InputObject | Compare-ObjectGraph $Reference. + ,$InputObject | Compare-ObjectGraph $Reference. .PARAMETER Reference - The reference that is used to compared with the input object (see: [-InputObject] parameter). +The reference that is used to compared with the input object (see: [-InputObject] parameter). .PARAMETER PrimaryKey - If supplied, dictionaries (including PSCustomObject or Component Objects) in a list are matched - based on the values of the `-PrimaryKey` supplied. +If supplied, dictionaries (including PSCustomObject or Component Objects) in a list are matched +based on the values of the `-PrimaryKey` supplied. .PARAMETER IsEqual - If set, the cmdlet will return a boolean (`$true` or `$false`). - As soon a Discrepancy is found, the cmdlet will immediately stop comparing further properties. +If set, the cmdlet will return a boolean (`$true` or `$false`). +As soon a Discrepancy is found, the cmdlet will immediately stop comparing further properties. .PARAMETER MatchCase - Unless the `-MatchCase` switch is provided, string values are considered case insensitive. +Unless the `-MatchCase` switch is provided, string values are considered case insensitive. - > [!NOTE] - > Dictionary keys are compared based on the `$Reference`. - > if the `$Reference` is an object (PSCustomObject or component object), the key or name comparison - > is case insensitive otherwise the comparer supplied with the dictionary is used. +> [!NOTE] +> Dictionary keys are compared based on the `$Reference`. +> if the `$Reference` is an object (PSCustomObject or component object), the key or name comparison +> is case insensitive otherwise the comparer supplied with the dictionary is used. .PARAMETER MatchType - Unless the `-MatchType` switch is provided, a loosely (inclusive) comparison is done where the - `$Reference` object is leading. Meaning `$Reference -eq $InputObject`: +Unless the `-MatchType` switch is provided, a loosely (inclusive) comparison is done where the +`$Reference` object is leading. Meaning `$Reference -eq $InputObject`: - '1.0' -eq 1.0 # $false - 1.0 -eq '1.0' # $true (also $false if the `-MatchType` is provided) + '1.0' -eq 1.0 # $false + 1.0 -eq '1.0' # $true (also $false if the `-MatchType` is provided) .PARAMETER IgnoreLisOrder - By default, items in a list are matched independent of the order (meaning by index position). - If the `-IgnoreListOrder` switch is supplied, any list in the `$InputObject` is searched for a match - with the reference. +By default, items in a list are matched independent of the order (meaning by index position). +If the `-IgnoreListOrder` switch is supplied, any list in the `$InputObject` is searched for a match +with the reference. - > [!NOTE] - > Regardless the list order, any dictionary lists are matched by the primary key (if supplied) first. +> [!NOTE] +> Regardless the list order, any dictionary lists are matched by the primary key (if supplied) first. .PARAMETER MatchMapOrder - By default, items in dictionary (including properties of an PSCustomObject or Component Object) are - matched by their key name (independent of the order). - If the `-MatchMapOrder` switch is supplied, each entry is also validated by the position. +By default, items in dictionary (including properties of an PSCustomObject or Component Object) are +matched by their key name (independent of the order). +If the `-MatchMapOrder` switch is supplied, each entry is also validated by the position. - > [!NOTE] - > A `[HashTable]` type is unordered by design and therefore, regardless the `-MatchMapOrder` switch, - the order of the `[HashTable]` (defined by the `$Reference`) are always ignored. +> [!NOTE] +> A `[HashTable]` type is unordered by design and therefore, regardless the `-MatchMapOrder` switch, +the order of the `[HashTable]` (defined by the `$Reference`) are always ignored. .PARAMETER MaxDepth - The maximal depth to recursively compare each embedded property (default: 10). +The maximal depth to recursively compare each embedded property (default: 10). #> [CmdletBinding(HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Compare-ObjectGraph.md')] param( @@ -2496,43 +2521,43 @@ process { function ConvertFrom-Expression { <# .SYNOPSIS - Deserializes a PowerShell expression to an object. +Deserializes a PowerShell expression to an object. .DESCRIPTION - The `ConvertFrom-Expression` cmdlet safely converts a PowerShell formatted expression to an object-graph - existing of a mixture of nested arrays, hash tables and objects that contain a list of strings and values. +The `ConvertFrom-Expression` cmdlet safely converts a PowerShell formatted expression to an object-graph +existing of a mixture of nested arrays, hash tables and objects that contain a list of strings and values. .PARAMETER InputObject - Specifies the PowerShell expressions to convert to objects. Enter a variable that contains the string, - or type a command or expression that gets the string. You can also pipe a string to ConvertFrom-Expression. +Specifies the PowerShell expressions to convert to objects. Enter a variable that contains the string, +or type a command or expression that gets the string. You can also pipe a string to ConvertFrom-Expression. - The **InputObject** parameter is required, but its value can be an empty string. - The **InputObject** value can't be `$null` or an empty string. +The **InputObject** parameter is required, but its value can be an empty string. +The **InputObject** value can't be `$null` or an empty string. .PARAMETER LanguageMode - Defines which object types are allowed for the deserialization, see: [About language modes][2] - - * Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, - `[String]`, `[Array]` or `[HashTable]`. - * Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. - - > [!Caution] - > - > In full language mode, `ConvertTo-Expression` permits all type initializers. Cmdlets, functions, - > CIM commands, and workflows will *not* be invoked by the `ConvertFrom-Expression` cmdlet. - > - > Take reasonable precautions when using the `Invoke-Expression -LanguageMode Full` command in scripts. - > Verify that the class types in the expression are safe before instantiating them. In general, it is - > best to design your configuration expressions with restricted or constrained classes, rather than - > allowing full freeform expressions. +Defines which object types are allowed for the deserialization, see: [About language modes][2] + +* Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, + `[String]`, `[Array]` or `[HashTable]`. +* Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. + +> [!Caution] +> +> In full language mode, `ConvertTo-Expression` permits all type initializers. Cmdlets, functions, +> CIM commands, and workflows will *not* be invoked by the `ConvertFrom-Expression` cmdlet. +> +> Take reasonable precautions when using the `Invoke-Expression -LanguageMode Full` command in scripts. +> Verify that the class types in the expression are safe before instantiating them. In general, it is +> best to design your configuration expressions with restricted or constrained classes, rather than +> allowing full freeform expressions. .PARAMETER ListAs - If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown - or denied type initializer will be converted to the given list type. +If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown +or denied type initializer will be converted to the given list type. .PARAMETER MapAs - If supplied, the Hash table literal syntax `@{ }` syntaxes without an type initializer or with an unknown - or denied type initializer will be converted to the given map (dictionary or object) type. +If supplied, the Hash table literal syntax `@{ }` syntaxes without an type initializer or with an unknown +or denied type initializer will be converted to the given map (dictionary or object) type. #> @@ -2590,112 +2615,112 @@ process { function ConvertTo-Expression { <# .SYNOPSIS - Serializes an object to a PowerShell expression. +Serializes an object to a PowerShell expression. .DESCRIPTION - The ConvertTo-Expression cmdlet converts (serializes) an object to a PowerShell expression. - The object can be stored in a variable, (.psd1) file or any other common storage for later use or to be ported - to another system. +The ConvertTo-Expression cmdlet converts (serializes) an object to a PowerShell expression. +The object can be stored in a variable, (.psd1) file or any other common storage for later use or to be ported +to another system. - expressions might be restored to an object using the native [Invoke-Expression] cmdlet: +expressions might be restored to an object using the native [Invoke-Expression] cmdlet: - $Object = Invoke-Expression ($Object | ConvertTo-Expression) + $Object = Invoke-Expression ($Object | ConvertTo-Expression) - > [!Warning] - > Take reasonable precautions when using the Invoke-Expression cmdlet in scripts. When using `Invoke-Expression` - > to run a command that the user enters, verify that the command is safe to run before running it. - > In general, it is best to restore your objects using [ConvertFrom-Expression]. +> [!Warning] +> Take reasonable precautions when using the Invoke-Expression cmdlet in scripts. When using `Invoke-Expression` +> to run a command that the user enters, verify that the command is safe to run before running it. +> In general, it is best to restore your objects using [ConvertFrom-Expression]. - > [!Note] - > Some object types can not be reconstructed from a simple serialized expression. +> [!Note] +> Some object types can not be reconstructed from a simple serialized expression. .INPUTS - Any. Each objects provided through the pipeline will converted to an expression. To concatenate all piped - objects in a single expression, use the unary comma operator, e.g.: `,$Object | ConvertTo-Expression` +Any. Each objects provided through the pipeline will converted to an expression. To concatenate all piped +objects in a single expression, use the unary comma operator, e.g.: `,$Object | ConvertTo-Expression` .OUTPUTS - String[]. `ConvertTo-Expression` returns a PowerShell [String] expression for each input object. +String[]. `ConvertTo-Expression` returns a PowerShell [String] expression for each input object. .PARAMETER InputObject - Specifies the objects to convert to a PowerShell expression. Enter a variable that contains the objects, - or type a command or expression that gets the objects. You can also pipe one or more objects to - `ConvertTo-Expression.` +Specifies the objects to convert to a PowerShell expression. Enter a variable that contains the objects, +or type a command or expression that gets the objects. You can also pipe one or more objects to +`ConvertTo-Expression.` .PARAMETER LanguageMode - Defines which object types are allowed for the serialization, see: [About language modes][2] - If a specific type isn't allowed in the given language mode, it will be substituted by: +Defines which object types are allowed for the serialization, see: [About language modes][2] +If a specific type isn't allowed in the given language mode, it will be substituted by: - * **`$Null`** in case of a null value - * **`$False`** in case of a boolean false - * **`$True`** in case of a boolean true - * **A number** in case of a primitive value - * **A string** in case of a string or any other **leaf** node - * `@(...)` for an array (**list** node) - * `@{...}` for any dictionary, PSCustomObject or Component (aka **map** node) +* **`$Null`** in case of a null value +* **`$False`** in case of a boolean false +* **`$True`** in case of a boolean true +* **A number** in case of a primitive value +* **A string** in case of a string or any other **leaf** node +* `@(...)` for an array (**list** node) +* `@{...}` for any dictionary, PSCustomObject or Component (aka **map** node) - See the [PSNode Object Parser][1] for a detailed definition on node types. +See the [PSNode Object Parser][1] for a detailed definition on node types. .PARAMETER ExpandDepth - Defines up till what level the collections will be expanded in the output. +Defines up till what level the collections will be expanded in the output. - * A `-ExpandDepth 0` will create a single line expression. - * A `-ExpandDepth -1` will compress the single line by removing command spaces. +* A `-ExpandDepth 0` will create a single line expression. +* A `-ExpandDepth -1` will compress the single line by removing command spaces. - > [!Note] - > White spaces (as newline characters and spaces) will not be removed from the content - > of a (here) string. +> [!Note] +> White spaces (as newline characters and spaces) will not be removed from the content +> of a (here) string. .PARAMETER Explicit - By default, restricted language types initializers are suppressed. - When the `Explicit` switch is set, *all* values will be prefixed with an initializer - (as e.g. `[Long]` and `[Array]`) +By default, restricted language types initializers are suppressed. +When the `Explicit` switch is set, *all* values will be prefixed with an initializer +(as e.g. `[Long]` and `[Array]`) - > [!Note] - > The `-Explicit` switch can not be used in **restricted** language mode +> [!Note] +> The `-Explicit` switch can not be used in **restricted** language mode .PARAMETER FullTypeName - In case a value is prefixed with an initializer, the full type name of the initializer is used. +In case a value is prefixed with an initializer, the full type name of the initializer is used. - > [!Note] - > The `-FullTypename` switch can not be used in **restricted** language mode and will only be - > meaningful if the initializer is used (see also the [-Explicit] switch). +> [!Note] +> The `-FullTypename` switch can not be used in **restricted** language mode and will only be +> meaningful if the initializer is used (see also the [-Explicit] switch). .PARAMETER HighFidelity - If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. +If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. - By default the fidelity of an object expression will end if: +By default the fidelity of an object expression will end if: - 1) the (embedded) object is a leaf node (see: [PSNode Object Parser][1]) - 2) the (embedded) object expression is able to round trip. +1) the (embedded) object is a leaf node (see: [PSNode Object Parser][1]) +2) the (embedded) object expression is able to round trip. - An object is able to roundtrip if the resulted expression of the object itself or one of - its properties (prefixed with the type initializer) can be used to rebuild the object. +An object is able to roundtrip if the resulted expression of the object itself or one of +its properties (prefixed with the type initializer) can be used to rebuild the object. - The advantage of the default fidelity is that the resulted expression round trips (aka the - object might be rebuild from the expression), the disadvantage is that information hold by - less significant properties is lost (as e.g. timezone information in a `DateTime]` object). +The advantage of the default fidelity is that the resulted expression round trips (aka the +object might be rebuild from the expression), the disadvantage is that information hold by +less significant properties is lost (as e.g. timezone information in a `DateTime]` object). - The advantage of the high fidelity switch is that all the information of the underlying - properties is shown, yet any constrained or full object type will likely fail to rebuild - due to constructor limitations such as readonly property. +The advantage of the high fidelity switch is that all the information of the underlying +properties is shown, yet any constrained or full object type will likely fail to rebuild +due to constructor limitations such as readonly property. - > [!Note] - > The Object property `TypeId = []` is always excluded. +> [!Note] +> The Object property `TypeId = []` is always excluded. .PARAMETER ExpandSingleton - (List or map) collections nodes that contain a single item will not be expanded unless this - `-ExpandSingleton` is supplied. +(List or map) collections nodes that contain a single item will not be expanded unless this +`-ExpandSingleton` is supplied. .PARAMETER IndentSize - Specifies indent used for the nested properties. +Specifies indent used for the nested properties. .PARAMETER MaxDepth - Specifies how many levels of contained objects are included in the PowerShell representation. - The default value is define by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`). +Specifies how many levels of contained objects are included in the PowerShell representation. +The default value is define by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`). .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" #> [Alias('cto')] @@ -2755,45 +2780,45 @@ process { function Copy-ObjectGraph { <# .SYNOPSIS - Copy object graph +Copy object graph .DESCRIPTION - Recursively ("deep") copies a object graph. +Recursively ("deep") copies a object graph. .EXAMPLE - # Deep copy a complete object graph into a new object graph +# Deep copy a complete object graph into a new object graph - $NewObjectGraph = Copy-ObjectGraph $ObjectGraph + $NewObjectGraph = Copy-ObjectGraph $ObjectGraph .EXAMPLE - # Copy (convert) an object graph using common PowerShell arrays and PSCustomObjects +# Copy (convert) an object graph using common PowerShell arrays and PSCustomObjects - $PSObject = Copy-ObjectGraph $Object -ListAs [Array] -DictionaryAs PSCustomObject + $PSObject = Copy-ObjectGraph $Object -ListAs [Array] -DictionaryAs PSCustomObject .EXAMPLE - # Convert a Json string to an object graph with (case insensitive) ordered dictionaries +# Convert a Json string to an object graph with (case insensitive) ordered dictionaries - $PSObject = $Json | ConvertFrom-Json | Copy-ObjectGraph -DictionaryAs ([Ordered]@{}) + $PSObject = $Json | ConvertFrom-Json | Copy-ObjectGraph -DictionaryAs ([Ordered]@{}) .PARAMETER InputObject - The input object that will be recursively copied. +The input object that will be recursively copied. .PARAMETER ListAs - If supplied, lists will be converted to the given type (or type of the supplied object example). +If supplied, lists will be converted to the given type (or type of the supplied object example). .PARAMETER DictionaryAs - If supplied, dictionaries will be converted to the given type (or type of the supplied object example). - This parameter also accepts the [`PSCustomObject`][1] types - By default (if the [-DictionaryAs] parameters is omitted), - [`Component`][2] objects will be converted to a [`PSCustomObject`][1] type. +If supplied, dictionaries will be converted to the given type (or type of the supplied object example). +This parameter also accepts the [`PSCustomObject`][1] types +By default (if the [-DictionaryAs] parameters is omitted), +[`Component`][2] objects will be converted to a [`PSCustomObject`][1] type. .PARAMETER ExcludeLeafs - If supplied, only the structure (lists, dictionaries, [`PSCustomObject`][1] types and [`Component`][2] types will be copied. - If omitted, each leaf will be shallow copied +If supplied, only the structure (lists, dictionaries, [`PSCustomObject`][1] types and [`Component`][2] types will be copied. +If omitted, each leaf will be shallow copied .LINK - [1]: https://learn.microsoft.com/dotnet/api/system.management.automation.pscustomobject "PSCustomObject Class" - [2]: https://learn.microsoft.com/dotnet/api/system.componentmodel.component "Component Class" +[1]: https://learn.microsoft.com/dotnet/api/system.management.automation.pscustomobject "PSCustomObject Class" +[2]: https://learn.microsoft.com/dotnet/api/system.componentmodel.component "Component Class" #> [Alias('Copy-Object', 'cpo')] [OutputType([Object[]])] @@ -2874,100 +2899,100 @@ process { function Export-ObjectGraph { <# .SYNOPSIS - Serializes a PowerShell File or object-graph and exports it to a PowerShell (data) file. +Serializes a PowerShell File or object-graph and exports it to a PowerShell (data) file. .DESCRIPTION - The `Export-ObjectGraph` cmdlet converts a PowerShell (complex) object to an PowerShell expression - and exports it to a PowerShell (`.ps1`) file or a PowerShell data (`.psd1`) file. +The `Export-ObjectGraph` cmdlet converts a PowerShell (complex) object to an PowerShell expression +and exports it to a PowerShell (`.ps1`) file or a PowerShell data (`.psd1`) file. .PARAMETER Path - Specifies the path to a file where `Export-ObjectGraph` exports the ObjectGraph. - Wildcard characters are permitted. +Specifies the path to a file where `Export-ObjectGraph` exports the ObjectGraph. +Wildcard characters are permitted. .PARAMETER LiteralPath - Specifies a path to one or more locations where PowerShell should export the object-graph. - The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. - If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell - PowerShell not to interpret any characters as escape sequences. +Specifies a path to one or more locations where PowerShell should export the object-graph. +The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. +If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell +PowerShell not to interpret any characters as escape sequences. .PARAMETER LanguageMode - Defines which object types are allowed for the serialization, see: [About language modes][2] - If a specific type isn't allowed in the given language mode, it will be substituted by: +Defines which object types are allowed for the serialization, see: [About language modes][2] +If a specific type isn't allowed in the given language mode, it will be substituted by: - * **`$Null`** in case of a null value - * **`$False`** in case of a boolean false - * **`$True`** in case of a boolean true - * **A number** in case of a primitive value - * **A string** in case of a string or any other **leaf** node - * `@(...)` for an array (**list** node) - * `@{...}` for any dictionary, PSCustomObject or Component (aka **map** node) +* **`$Null`** in case of a null value +* **`$False`** in case of a boolean false +* **`$True`** in case of a boolean true +* **A number** in case of a primitive value +* **A string** in case of a string or any other **leaf** node +* `@(...)` for an array (**list** node) +* `@{...}` for any dictionary, PSCustomObject or Component (aka **map** node) - See the [PSNode Object Parser][1] for a detailed definition on node types. +See the [PSNode Object Parser][1] for a detailed definition on node types. .PARAMETER ExpandDepth - Defines up till what level the collections will be expanded in the output. +Defines up till what level the collections will be expanded in the output. - * A `-ExpandDepth 0` will create a single line expression. - * A `-ExpandDepth -1` will compress the single line by removing command spaces. +* A `-ExpandDepth 0` will create a single line expression. +* A `-ExpandDepth -1` will compress the single line by removing command spaces. - > [!Note] - > White spaces (as newline characters and spaces) will not be removed from the content - > of a (here) string. +> [!Note] +> White spaces (as newline characters and spaces) will not be removed from the content +> of a (here) string. .PARAMETER Explicit - By default, restricted language types initializers are suppressed. - When the `Explicit` switch is set, *all* values will be prefixed with an initializer - (as e.g. `[Long]` and `[Array]`) +By default, restricted language types initializers are suppressed. +When the `Explicit` switch is set, *all* values will be prefixed with an initializer +(as e.g. `[Long]` and `[Array]`) - > [!Note] - > The `-Explicit` switch can not be used in **restricted** language mode +> [!Note] +> The `-Explicit` switch can not be used in **restricted** language mode .PARAMETER FullTypeName - In case a value is prefixed with an initializer, the full type name of the initializer is used. +In case a value is prefixed with an initializer, the full type name of the initializer is used. - > [!Note] - > The `-FullTypename` switch can not be used in **restricted** language mode and will only be - > meaningful if the initializer is used (see also the [-Explicit] switch). +> [!Note] +> The `-FullTypename` switch can not be used in **restricted** language mode and will only be +> meaningful if the initializer is used (see also the [-Explicit] switch). .PARAMETER HighFidelity - If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. +If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. - By default the fidelity of an object expression will end if: +By default the fidelity of an object expression will end if: - 1) the (embedded) object is a leaf node (see: [PSNode Object Parser][1]) - 2) the (embedded) object expression is able to round trip. +1) the (embedded) object is a leaf node (see: [PSNode Object Parser][1]) +2) the (embedded) object expression is able to round trip. - An object is able to roundtrip if the resulted expression of the object itself or one of - its properties (prefixed with the type initializer) can be used to rebuild the object. +An object is able to roundtrip if the resulted expression of the object itself or one of +its properties (prefixed with the type initializer) can be used to rebuild the object. - The advantage of the default fidelity is that the resulted expression round trips (aka the - object might be rebuild from the expression), the disadvantage is that information hold by - less significant properties is lost (as e.g. timezone information in a `DateTime]` object). +The advantage of the default fidelity is that the resulted expression round trips (aka the +object might be rebuild from the expression), the disadvantage is that information hold by +less significant properties is lost (as e.g. timezone information in a `DateTime]` object). - The advantage of the high fidelity switch is that all the information of the underlying - properties is shown, yet any constrained or full object type will likely fail to rebuild - due to constructor limitations such as readonly property. +The advantage of the high fidelity switch is that all the information of the underlying +properties is shown, yet any constrained or full object type will likely fail to rebuild +due to constructor limitations such as readonly property. - > [!Note] - > Objects properties of type `[Reflection.MemberInfo]` are always excluded. +> [!Note] +> Objects properties of type `[Reflection.MemberInfo]` are always excluded. .PARAMETER ExpandSingleton - (List or map) collections nodes that contain a single item will not be expanded unless this - `-ExpandSingleton` is supplied. +(List or map) collections nodes that contain a single item will not be expanded unless this +`-ExpandSingleton` is supplied. .PARAMETER IndentSize - Specifies indent used for the nested properties. +Specifies indent used for the nested properties. .PARAMETER MaxDepth - Specifies how many levels of contained objects are included in the PowerShell representation. - The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). +Specifies how many levels of contained objects are included in the PowerShell representation. +The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). .PARAMETER Encoding - Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. +Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" #> [Alias('Export-Object', 'epo')] @@ -3034,161 +3059,161 @@ end { function Get-ChildNode { <# .SYNOPSIS - Gets the child nodes of an object-graph +Gets the child nodes of an object-graph .DESCRIPTION - Gets the (unique) nodes and child nodes in one or more specified locations of an object-graph - The returned nodes are unique even if the provide list of input parent nodes have an overlap. +Gets the (unique) nodes and child nodes in one or more specified locations of an object-graph +The returned nodes are unique even if the provide list of input parent nodes have an overlap. .EXAMPLE - # Select all leaf nodes in a object graph +# Select all leaf nodes in a object graph - Given the following object graph: +Given the following object graph: - $Object = @{ - Comment = 'Sample ObjectGraph' - Data = @( - @{ - Index = 1 - Name = 'One' - Comment = 'First item' - } - @{ - Index = 2 - Name = 'Two' - Comment = 'Second item' - } - @{ - Index = 3 - Name = 'Three' - Comment = 'Third item' - } - ) - } + $Object = @{ + Comment = 'Sample ObjectGraph' + Data = @( + @{ + Index = 1 + Name = 'One' + Comment = 'First item' + } + @{ + Index = 2 + Name = 'Two' + Comment = 'Second item' + } + @{ + Index = 3 + Name = 'Three' + Comment = 'Third item' + } + ) + } - The following example will receive all leaf nodes: +The following example will receive all leaf nodes: - $Object | Get-ChildNode -Recurse -Leaf + $Object | Get-ChildNode -Recurse -Leaf - Path Name Depth Value - ---- ---- ----- ----- - .Data[0].Comment Comment 3 First item - .Data[0].Name Name 3 One - .Data[0].Index Index 3 1 - .Data[1].Comment Comment 3 Second item - .Data[1].Name Name 3 Two - .Data[1].Index Index 3 2 - .Data[2].Comment Comment 3 Third item - .Data[2].Name Name 3 Three - .Data[2].Index Index 3 3 - .Comment Comment 1 Sample ObjectGraph + Path Name Depth Value + ---- ---- ----- ----- + .Data[0].Comment Comment 3 First item + .Data[0].Name Name 3 One + .Data[0].Index Index 3 1 + .Data[1].Comment Comment 3 Second item + .Data[1].Name Name 3 Two + .Data[1].Index Index 3 2 + .Data[2].Comment Comment 3 Third item + .Data[2].Name Name 3 Three + .Data[2].Index Index 3 3 + .Comment Comment 1 Sample ObjectGraph .EXAMPLE - # update a property +# update a property - The following example selects all child nodes named `Comment` at a depth of `3`. - Than filters the one that has an `Index` sibling with the value `2` and eventually - sets the value (of the `Comment` node) to: 'Two to the Loo'. +The following example selects all child nodes named `Comment` at a depth of `3`. +Than filters the one that has an `Index` sibling with the value `2` and eventually +sets the value (of the `Comment` node) to: 'Two to the Loo'. - $Object | Get-ChildNode -AtDepth 3 -Include Comment | - Where-Object { $_.ParentNode.GetChildNode('Index').Value -eq 2 } | - ForEach-Object { $_.Value = 'Two to the Loo' } + $Object | Get-ChildNode -AtDepth 3 -Include Comment | + Where-Object { $_.ParentNode.GetChildNode('Index').Value -eq 2 } | + ForEach-Object { $_.Value = 'Two to the Loo' } - ConvertTo-Expression $Object + ConvertTo-Expression $Object - @{ - Data = - @{ - Comment = 'First item' - Name = 'One' - Index = 1 - }, - @{ - Comment = 'Two to the Loo' - Name = 'Two' - Index = 2 - }, - @{ - Comment = 'Third item' - Name = 'Three' - Index = 3 - } - Comment = 'Sample ObjectGraph' - } + @{ + Data = + @{ + Comment = 'First item' + Name = 'One' + Index = 1 + }, + @{ + Comment = 'Two to the Loo' + Name = 'Two' + Index = 2 + }, + @{ + Comment = 'Third item' + Name = 'Three' + Index = 3 + } + Comment = 'Sample ObjectGraph' + } - See the [PowerShell Object Parser][1] For details on the `[PSNode]` properties and methods. +See the [PowerShell Object Parser][1] For details on the `[PSNode]` properties and methods. .PARAMETER InputObject - The concerned object graph or node. +The concerned object graph or node. .PARAMETER Recurse - Recursively iterates through all embedded property objects (nodes) to get the selected nodes. - The maximum depth of of a specific node that might be retrieved is define by the `MaxDepth` - of the (root) node. To change the maximum depth the (root) node needs to be loaded first, e.g.: +Recursively iterates through all embedded property objects (nodes) to get the selected nodes. +The maximum depth of of a specific node that might be retrieved is define by the `MaxDepth` +of the (root) node. To change the maximum depth the (root) node needs to be loaded first, e.g.: - Get-Node -Depth 20 | Get-ChildNode ... + Get-Node -Depth 20 | Get-ChildNode ... - (See also: [`Get-Node`][2]) +(See also: [`Get-Node`][2]) - > [!NOTE] - > If the [AtDepth] parameter is supplied, the object graph is recursively searched anyways - > for the selected nodes up till the deepest given `AtDepth` value. +> [!NOTE] +> If the [AtDepth] parameter is supplied, the object graph is recursively searched anyways +> for the selected nodes up till the deepest given `AtDepth` value. .PARAMETER AtDepth - When defined, only returns nodes at the given depth(s). +When defined, only returns nodes at the given depth(s). - > [!NOTE] - > The nodes below the `MaxDepth` can not be retrieved. +> [!NOTE] +> The nodes below the `MaxDepth` can not be retrieved. .PARAMETER ListChild - Returns the closest nodes derived from a **list node**. +Returns the closest nodes derived from a **list node**. .PARAMETER Include - Returns only nodes derived from a **map node** including only the ones specified by one or more - string patterns defined by this parameter. Wildcard characters are permitted. +Returns only nodes derived from a **map node** including only the ones specified by one or more +string patterns defined by this parameter. Wildcard characters are permitted. - > [!NOTE] - > The [-Include] and [-Exclude] parameters can be used together. However, the exclusions are applied - > after the inclusions, which can affect the final output. +> [!NOTE] +> The [-Include] and [-Exclude] parameters can be used together. However, the exclusions are applied +> after the inclusions, which can affect the final output. .PARAMETER Exclude - Returns only nodes derived from a **map node** excluding the ones specified by one or more - string patterns defined by this parameter. Wildcard characters are permitted. +Returns only nodes derived from a **map node** excluding the ones specified by one or more +string patterns defined by this parameter. Wildcard characters are permitted. - > [!NOTE] - > The [-Include] and [-Exclude] parameters can be used together. However, the exclusions are applied - > after the inclusions, which can affect the final output. +> [!NOTE] +> The [-Include] and [-Exclude] parameters can be used together. However, the exclusions are applied +> after the inclusions, which can affect the final output. .PARAMETER Literal - The values of the [-Include] - and [-Exclude] parameters are used exactly as it is typed. - No characters are interpreted as wildcards. +The values of the [-Include] - and [-Exclude] parameters are used exactly as it is typed. +No characters are interpreted as wildcards. .PARAMETER Leaf - Only return leaf nodes. Leaf nodes are nodes at the end of a branch and do not have any child nodes. - You can use the [-Recurse] parameter with the [-Leaf] parameter. +Only return leaf nodes. Leaf nodes are nodes at the end of a branch and do not have any child nodes. +You can use the [-Recurse] parameter with the [-Leaf] parameter. .PARAMETER IncludeSelf - Includes the current node with the returned child nodes. +Includes the current node with the returned child nodes. .PARAMETER ValueOnly - returns the value of the node instead of the node itself. +returns the value of the node instead of the node itself. .PARAMETER MaxDepth - Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. - The failsafe will prevent infinitive loops for circular references as e.g. in: +Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. +The failsafe will prevent infinitive loops for circular references as e.g. in: - $Test = @{Guid = New-Guid} - $Test.Parent = $Test + $Test = @{Guid = New-Guid} + $Test.Parent = $Test - The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. +The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. - > [!Note] - > The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node - > at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. +> [!Note] +> The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node +> at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Get-Node.md "Get-Node" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Get-Node.md "Get-Node" #> [Alias('gcn')] @@ -3278,113 +3303,113 @@ process { function Get-Node { <# .SYNOPSIS - Get a node +Get a node .DESCRIPTION - The Get-Node cmdlet gets the node at the specified property location of the supplied object graph. +The Get-Node cmdlet gets the node at the specified property location of the supplied object graph. .EXAMPLE - # Parse a object graph to a node instance +# Parse a object graph to a node instance - The following example parses a hash table to `[PSNode]` instance: +The following example parses a hash table to `[PSNode]` instance: - @{ 'My' = 1, 2, 3; 'Object' = 'Graph' } | Get-Node + @{ 'My' = 1, 2, 3; 'Object' = 'Graph' } | Get-Node - PathName Name Depth Value - -------- ---- ----- ----- - 0 {My, Object} + PathName Name Depth Value + -------- ---- ----- ----- + 0 {My, Object} .EXAMPLE - # select a sub node in an object graph +# select a sub node in an object graph - The following example parses a hash table to `[PSNode]` instance and selects the second (`0` indexed) - item in the `My` map node +The following example parses a hash table to `[PSNode]` instance and selects the second (`0` indexed) +item in the `My` map node - @{ 'My' = 1, 2, 3; 'Object' = 'Graph' } | Get-Node My[1] + @{ 'My' = 1, 2, 3; 'Object' = 'Graph' } | Get-Node My[1] - PathName Name Depth Value - -------- ---- ----- ----- - My[1] 1 2 2 + PathName Name Depth Value + -------- ---- ----- ----- + My[1] 1 2 2 .EXAMPLE - # Change the price of the **PowerShell** book: +# Change the price of the **PowerShell** book: - $ObjectGraph = - @{ - BookStore = @( - @{ - Book = @{ - Title = 'Harry Potter' - Price = 29.99 - } - }, - @{ - Book = @{ - Title = 'Learning PowerShell' - Price = 39.95 - } - } - ) - } - - ($ObjectGraph | Get-Node BookStore~Title=*PowerShell*..Price).Value = 24.95 - $ObjectGraph | ConvertTo-Expression + $ObjectGraph = @{ BookStore = @( @{ Book = @{ - Price = 29.99 Title = 'Harry Potter' + Price = 29.99 } }, @{ Book = @{ - Price = 24.95 Title = 'Learning PowerShell' + Price = 39.95 } } ) } - for more details, see: [PowerShell Object Parser][1] and [Extended dot notation][2] + ($ObjectGraph | Get-Node BookStore~Title=*PowerShell*..Price).Value = 24.95 + $ObjectGraph | ConvertTo-Expression + @{ + BookStore = @( + @{ + Book = @{ + Price = 29.99 + Title = 'Harry Potter' + } + }, + @{ + Book = @{ + Price = 24.95 + Title = 'Learning PowerShell' + } + } + ) + } + +for more details, see: [PowerShell Object Parser][1] and [Extended dot notation][2] .PARAMETER InputObject - The concerned object graph or node. +The concerned object graph or node. .PARAMETER Path - Specifies the path to a specific node in the object graph. - The path might be either: +Specifies the path to a specific node in the object graph. +The path might be either: - * A dot-notation (`[String]`) literal or expression (as natively used with PowerShell) - * A array of strings (dictionary keys or Property names) and/or integers (list indices) - * A `[PSNodePath]` (such as `$Node.Path`) or a `[XdnPath]` (Extended Dot-Notation) object +* A dot-notation (`[String]`) literal or expression (as natively used with PowerShell) +* A array of strings (dictionary keys or Property names) and/or integers (list indices) +* A `[PSNodePath]` (such as `$Node.Path`) or a `[XdnPath]` (Extended Dot-Notation) object .PARAMETER Literal - If Literal switch is set, all (map) nodes in the given path are considered literal. +If Literal switch is set, all (map) nodes in the given path are considered literal. .PARAMETER ValueOnly - returns the value of the node instead of the node itself. +returns the value of the node instead of the node itself. .PARAMETER Unique - Specifies that if a subset of the nodes has identical properties and values, - only a single node of the subset should be selected. +Specifies that if a subset of the nodes has identical properties and values, +only a single node of the subset should be selected. .PARAMETER MaxDepth - Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. - The failsafe will prevent infinitive loops for circular references as e.g. in: +Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. +The failsafe will prevent infinitive loops for circular references as e.g. in: - $Test = @{Guid = New-Guid} - $Test.Parent = $Test + $Test = @{Guid = New-Guid} + $Test.Parent = $Test - The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. +The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. - > [!Note] - > The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node - > at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. +> [!Note] +> The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node +> at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Xdn.md "Extended dot notation" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Xdn.md "Extended dot notation" #> [Alias('gn')] @@ -3440,155 +3465,155 @@ process { } } function Get-SortObjectGraph { -<# -.SYNOPSIS - Sort an object graph - -.DESCRIPTION - Recursively sorts a object graph. - -.PARAMETER InputObject - The input object that will be recursively sorted. - - > [!NOTE] - > Multiple input object might be provided via the pipeline. - > The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. - > To avoid a list of (root) objects to unroll, use the **comma operator**: - - ,$InputObject | Sort-Object. - -.PARAMETER PrimaryKey - Any primary key defined by the [-PrimaryKey] parameter will be put on top of [-InputObject] - independent of the (descending) sort order. - - It is allowed to supply multiple primary keys. - -.PARAMETER MatchCase - (Alias `-CaseSensitive`) Indicates that the sort is case-sensitive. By default, sorts aren't case-sensitive. - -.PARAMETER Descending - Indicates that Sort-Object sorts the objects in descending order. The default is ascending order. - - > [!NOTE] - > Primary keys (see: [-PrimaryKey]) will always put on top. - -.PARAMETER MaxDepth - The maximal depth to recursively compare each embedded property (default: 10). -#> - -[Alias('Sort-ObjectGraph', 'sro')] -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseApprovedVerbs', '')] -[CmdletBinding(HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Sort-ObjectGraph.md')][OutputType([Object[]])] param( - - [Parameter(Mandatory = $true, ValueFromPipeLine = $True)] - $InputObject, - - [Alias('By')][String[]]$PrimaryKey, - - [Alias('CaseSensitive')] - [Switch]$MatchCase, - - [Switch]$Descending, - - [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth -) -begin { - $ObjectComparison = [ObjectComparison]0 - if ($MatchCase) { $ObjectComparison = $ObjectComparison -bor [ObjectComparison]'MatchCase'} - if ($Descending) { $ObjectComparison = $ObjectComparison -bor [ObjectComparison]'Descending'} - # As the child nodes are sorted first, we just do a side-by-side node compare: - $ObjectComparison = $ObjectComparison -bor [ObjectComparison]'MatchMapOrder' - - $PSListNodeComparer = [PSListNodeComparer]@{ PrimaryKey = $PrimaryKey; ObjectComparison = $ObjectComparison } - $PSMapNodeComparer = [PSMapNodeComparer]@{ PrimaryKey = $PrimaryKey; ObjectComparison = $ObjectComparison } - - function SortRecurse([PSCollectionNode]$Node, [PSListNodeComparer]$PSListNodeComparer, [PSMapNodeComparer]$PSMapNodeComparer) { - $NodeList = $Node.GetNodeList() - for ($i = 0; $i -lt $NodeList.Count; $i++) { - if ($NodeList[$i] -is [PSCollectionNode]) { - $NodeList[$i] = SortRecurse $NodeList[$i] -PSListNodeComparer $PSListNodeComparer -PSMapNodeComparer $PSMapNodeComparer - } - } - if ($Node -is [PSListNode]) { - $NodeList.Sort($PSListNodeComparer) - if ($NodeList.Count) { $Node.Value = @($NodeList.Value) } else { $Node.Value = @() } - } - else { # if ($Node -is [PSMapNode]) - $NodeList.Sort($PSMapNodeComparer) - $Properties = [System.Collections.Specialized.OrderedDictionary]::new([StringComparer]::Ordinal) - foreach($ChildNode in $NodeList) { $Properties[[Object]$ChildNode.Name] = $ChildNode.Value } # [Object] forces a key rather than an index (ArgumentOutOfRangeException) - if ($Node -is [PSObjectNode]) { $Node.Value = [PSCustomObject]$Properties } else { $Node.Value = $Properties } - } - $Node - } -} - -process { - $Node = [PSNode]::ParseInput($InputObject, $MaxDepth) - if ($Node -is [PSCollectionNode]) { - $Node = SortRecurse $Node -PSListNodeComparer $PSListNodeComparer -PSMapNodeComparer $PSMapNodeComparer - } - $Node.Value +<# +.SYNOPSIS + Sort an object graph + +.DESCRIPTION + Recursively sorts a object graph. + +.PARAMETER InputObject + The input object that will be recursively sorted. + + > [!NOTE] + > Multiple input object might be provided via the pipeline. + > The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. + > To avoid a list of (root) objects to unroll, use the **comma operator**: + + ,$InputObject | Sort-Object. + +.PARAMETER PrimaryKey + Any primary key defined by the [-PrimaryKey] parameter will be put on top of [-InputObject] + independent of the (descending) sort order. + + It is allowed to supply multiple primary keys. + +.PARAMETER MatchCase + (Alias `-CaseSensitive`) Indicates that the sort is case-sensitive. By default, sorts aren't case-sensitive. + +.PARAMETER Descending + Indicates that Sort-Object sorts the objects in descending order. The default is ascending order. + + > [!NOTE] + > Primary keys (see: [-PrimaryKey]) will always put on top. + +.PARAMETER MaxDepth + The maximal depth to recursively compare each embedded property (default: 10). +#> + +[Alias('Sort-ObjectGraph', 'sro')] +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseApprovedVerbs', '')] +[CmdletBinding(HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Sort-ObjectGraph.md')][OutputType([Object[]])] param( + + [Parameter(Mandatory = $true, ValueFromPipeLine = $True)] + $InputObject, + + [Alias('By')][String[]]$PrimaryKey, + + [Alias('CaseSensitive')] + [Switch]$MatchCase, + + [Switch]$Descending, + + [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth +) +begin { + $ObjectComparison = [ObjectComparison]0 + if ($MatchCase) { $ObjectComparison = $ObjectComparison -bor [ObjectComparison]'MatchCase'} + if ($Descending) { $ObjectComparison = $ObjectComparison -bor [ObjectComparison]'Descending'} + # As the child nodes are sorted first, we just do a side-by-side node compare: + $ObjectComparison = $ObjectComparison -bor [ObjectComparison]'MatchMapOrder' + + $PSListNodeComparer = [PSListNodeComparer]@{ PrimaryKey = $PrimaryKey; ObjectComparison = $ObjectComparison } + $PSMapNodeComparer = [PSMapNodeComparer]@{ PrimaryKey = $PrimaryKey; ObjectComparison = $ObjectComparison } + + function SortRecurse([PSCollectionNode]$Node, [PSListNodeComparer]$PSListNodeComparer, [PSMapNodeComparer]$PSMapNodeComparer) { + $NodeList = $Node.GetNodeList() + for ($i = 0; $i -lt $NodeList.Count; $i++) { + if ($NodeList[$i] -is [PSCollectionNode]) { + $NodeList[$i] = SortRecurse $NodeList[$i] -PSListNodeComparer $PSListNodeComparer -PSMapNodeComparer $PSMapNodeComparer + } + } + if ($Node -is [PSListNode]) { + $NodeList.Sort($PSListNodeComparer) + if ($NodeList.Count) { $Node.Value = @($NodeList.Value) } else { $Node.Value = @() } + } + else { # if ($Node -is [PSMapNode]) + $NodeList.Sort($PSMapNodeComparer) + $Properties = [System.Collections.Specialized.OrderedDictionary]::new([StringComparer]::Ordinal) + foreach($ChildNode in $NodeList) { $Properties[[Object]$ChildNode.Name] = $ChildNode.Value } # [Object] forces a key rather than an index (ArgumentOutOfRangeException) + if ($Node -is [PSObjectNode]) { $Node.Value = [PSCustomObject]$Properties } else { $Node.Value = $Properties } + } + $Node + } +} + +process { + $Node = [PSNode]::ParseInput($InputObject, $MaxDepth) + if ($Node -is [PSCollectionNode]) { + $Node = SortRecurse $Node -PSListNodeComparer $PSListNodeComparer -PSMapNodeComparer $PSMapNodeComparer + } + $Node.Value } } function Import-ObjectGraph { <# .SYNOPSIS - Deserializes a PowerShell File or any object-graphs from PowerShell file to an object. +Deserializes a PowerShell File or any object-graphs from PowerShell file to an object. .DESCRIPTION - The `Import-ObjectGraph` cmdlet safely converts a PowerShell formatted expression contained by a file - to an object-graph existing of a mixture of nested arrays, hash tables and objects that contain a list - of strings and values. +The `Import-ObjectGraph` cmdlet safely converts a PowerShell formatted expression contained by a file +to an object-graph existing of a mixture of nested arrays, hash tables and objects that contain a list +of strings and values. .PARAMETER Path - Specifies the path to a file where `Import-ObjectGraph` imports the object-graph. - Wildcard characters are permitted. +Specifies the path to a file where `Import-ObjectGraph` imports the object-graph. +Wildcard characters are permitted. .PARAMETER LiteralPath - Specifies a path to one or more locations that contain a PowerShell the object-graph. - The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. - If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell - PowerShell not to interpret any characters as escape sequences. +Specifies a path to one or more locations that contain a PowerShell the object-graph. +The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. +If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell +PowerShell not to interpret any characters as escape sequences. .PARAMETER LanguageMode - Defines which object types are allowed for the deserialization, see: [About language modes][2] +Defines which object types are allowed for the deserialization, see: [About language modes][2] - * Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, - `[String]`, `[Array]` or `[HashTable]`. - * Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. +* Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, + `[String]`, `[Array]` or `[HashTable]`. +* Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. - The default `LanguageMode` is `Restricted` for PowerShell Data (`psd1`) files and `Constrained` for any - other files, which usually concerns PowerShell (`.ps1`) files. +The default `LanguageMode` is `Restricted` for PowerShell Data (`psd1`) files and `Constrained` for any +other files, which usually concerns PowerShell (`.ps1`) files. - > [!Caution] - > - > In full language mode, `ConvertTo-Expression` permits all type initializers. Cmdlets, functions, - > CIM commands, and workflows will *not* be invoked by the `ConvertFrom-Expression` cmdlet. - > - > Take reasonable precautions when using the `Invoke-Expression -LanguageMode Full` command in scripts. - > Verify that the class types in the expression are safe before instantiating them. In general, it is - > best to design your configuration expressions with restricted or constrained classes, rather than - > allowing full freeform expressions. +> [!Caution] +> +> In full language mode, `ConvertTo-Expression` permits all type initializers. Cmdlets, functions, +> CIM commands, and workflows will *not* be invoked by the `ConvertFrom-Expression` cmdlet. +> +> Take reasonable precautions when using the `Invoke-Expression -LanguageMode Full` command in scripts. +> Verify that the class types in the expression are safe before instantiating them. In general, it is +> best to design your configuration expressions with restricted or constrained classes, rather than +> allowing full freeform expressions. .PARAMETER ListAs - If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown or - denied type initializer will be converted to the given list type. +If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown or +denied type initializer will be converted to the given list type. .PARAMETER MapAs - If supplied, the array subexpression `@{ }` syntaxes without an type initializer or with an unknown or - denied type initializer will be converted to the given map (dictionary or object) type. +If supplied, the array subexpression `@{ }` syntaxes without an type initializer or with an unknown or +denied type initializer will be converted to the given map (dictionary or object) type. - The default `MapAs` is an (ordered) `PSCustomObject` for PowerShell Data (`psd1`) files and - a (unordered) `HashTable` for any other files, which usually concerns PowerShell (`.ps1`) files that - support explicit type initiators. +The default `MapAs` is an (ordered) `PSCustomObject` for PowerShell Data (`psd1`) files and +a (unordered) `HashTable` for any other files, which usually concerns PowerShell (`.ps1`) files that +support explicit type initiators. .PARAMETER Encoding - Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. +Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" #> [Alias('Import-Object', 'imo')] @@ -3645,37 +3670,37 @@ end { function Merge-ObjectGraph { <# .SYNOPSIS - Merges two object graphs into one +Merges two object graphs into one .DESCRIPTION - Recursively merges two object graphs into a new object graph. +Recursively merges two object graphs into a new object graph. .PARAMETER InputObject - The input object that will be merged with the template object (see: [-Template] parameter). +The input object that will be merged with the template object (see: [-Template] parameter). - > [!NOTE] - > Multiple input object might be provided via the pipeline. - > The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. - > To avoid a list of (root) objects to unroll, use the **comma operator**: +> [!NOTE] +> Multiple input object might be provided via the pipeline. +> The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. +> To avoid a list of (root) objects to unroll, use the **comma operator**: - ,$InputObject | Compare-ObjectGraph $Template. + ,$InputObject | Compare-ObjectGraph $Template. .PARAMETER Template - The template that is used to merge with the input object (see: [-InputObject] parameter). +The template that is used to merge with the input object (see: [-InputObject] parameter). .PARAMETER PrimaryKey - In case of a list of dictionaries or PowerShell objects, the PowerShell key is used to - link the items or properties: if the PrimaryKey exists on both the [-Template] and the - [-InputObject] and the values are equal, the dictionary or PowerShell object will be merged. - Otherwise (if the key can't be found or the values differ), the complete dictionary or - PowerShell object will be added to the list. +In case of a list of dictionaries or PowerShell objects, the PowerShell key is used to +link the items or properties: if the PrimaryKey exists on both the [-Template] and the +[-InputObject] and the values are equal, the dictionary or PowerShell object will be merged. +Otherwise (if the key can't be found or the values differ), the complete dictionary or +PowerShell object will be added to the list. - It is allowed to supply multiple primary keys where each primary key will be used to - check the relation between the [-Template] and the [-InputObject]. +It is allowed to supply multiple primary keys where each primary key will be used to +check the relation between the [-Template] and the [-InputObject]. .PARAMETER MaxDepth - The maximal depth to recursively compare each embedded node. - The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). +The maximal depth to recursively compare each embedded node. +The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). #> [Alias('Merge-Object', 'mgo')] @@ -3859,49 +3884,140 @@ The default value is defined by the PowerShell object node parser (`[PSNode]::De .LINK [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/SchemaObject.md "Schema object definitions" - #> [Alias('Test-Object', 'tso')] -[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( +[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri = 'https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, ValueFromPipeLine = $True)] + [Parameter(ParameterSetName = 'ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] + [Parameter(ParameterSetName = 'ResultList', Mandatory = $true, ValueFromPipeLine = $True)] $InputObject, - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, Position = 0)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, Position = 0)] + [Parameter(ParameterSetName = 'ValidateOnly', Mandatory = $true, Position = 0)] + [Parameter(ParameterSetName = 'ResultList', Mandatory = $true, Position = 0)] $SchemaObject, - [Parameter(ParameterSetName='ValidateOnly')] + [Parameter(ParameterSetName = 'ValidateOnly')] [Switch]$ValidateOnly, - [Parameter(ParameterSetName='ResultList')] + [Parameter(ParameterSetName = 'ResultList')] [Switch]$Elaborate, - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] + [Parameter(ParameterSetName = 'ValidateOnly')] + [Parameter(ParameterSetName = 'ResultList')] [ValidateNotNullOrEmpty()][String]$AssertTestPrefix = 'AssertTestPrefix', - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] + [Parameter(ParameterSetName = 'ValidateOnly')] + [Parameter(ParameterSetName = 'ResultList')] [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth ) begin { + $Script:Elaborate = $Elaborate $Script:Yield = { - $Name = "$Args" -Replace '\W' + $Name = "$Args" -replace '\W' $Value = Get-Variable -Name $Name -ValueOnly -ErrorAction SilentlyContinue if ($Value) { "$args" } } $Script:Ordinal = @{$false = [StringComparer]::OrdinalIgnoreCase; $true = [StringComparer]::Ordinal } + $Script:UniqueCollections = @{} + # The maximum schema object depth is bound by the input object depth (+1 one for the leaf test definition) $SchemaNode = [PSNode]::ParseInput($SchemaObject, ($MaxDepth + 2)) # +2 to be safe $Script:AssertPrefix = if ($SchemaNode.Contains($AssertTestPrefix)) { $SchemaNode.Value[$AssertTestPrefix] } else { '@' } + Enum ResultMode { + Validate # Only determines if the node is valid, if not the cmdlet is supposed to exit immediately + Output # Outputs the results immediately to the pipeline + Collect # Collects the results to match any potential node branch + } + + Class Result { + static [ResultMode]$Mode + static [Bool]$Failed + static [List[Object]]$List + + static [Bool]$Elaborate + static [Bool]$Debug + hidden static [Void]Initialize($ValidateOnly, $Elaborate, $Debug) { + [Result]::Mode = if ($ValidateOnly) { 'Validate' } else { 'Output' } + [Result]::List = $null + [Result]::Failed = $false + [Result]::Elaborate = $Elaborate + [Result]::Debug = $Debug + } + [PSNode]$ObjectNode + [PSNode]$SchemaNode + hidden [Bool]$CollectStage + + Result($ObjectNode, $SchemaNode) { + if ([Result]::Debug) { + $Tab = ' ' * ($SchemaNode.Depth * 2) + Write-Host "$Tab$([ParameterColor]'Caller:')" $this.GetCallerInfo() "(Mode: $([Result]::Mode))" + Write-Host "$Tab$([ParameterColor]'ObjectNode:')" $ObjectNode.Path '=' "$ObjectNode" + Write-Host "$Tab$([ParameterColor]'SchemaNode:')" $SchemaNode.Path '=' "$SchemaNode" + } + $this.ObjectNode = $ObjectNode + $this.SchemaNode = $SchemaNode + } + + [Object]Check([String]$Issue, [Bool]$Passed) { + + # Common test instance invocation: + # if (($Out = $Result.Check('My issue', $Passed)) -eq $false) { return } else { $Out } + + if (-not $Passed) { [Result]::Failed = $true } + + if ([Result]::Debug) { + $Tab = ' ' * ($this.SchemaNode.Depth * 2) + Write-Host "$Tab$([ParameterColor]'Return:')" $this.GetCallerInfo() "(Mode: $([Result]::Mode))" + Write-Host "$Tab$([ParameterColor]'Result:')" $Issue "($(if ($Passed) { 'Passed'} else { 'Failed' }))" + } + + if (-Not $Issue) { return @() } + if ([Result]::Mode -eq 'Validate' -and [Result]::Failed) { return $false } + # if (-not [Result]::Elaborate -and ([Result]::Mode -eq 'Collect' -or $Passed)) { return @() } + if (-not [Result]::Elaborate -and $Passed) { return @() } + + $TestResult = [PSCustomObject]@{ + ObjectNode = $this.ObjectNode + SchemaNode = $this.SchemaNode + Valid = $Passed + Issue = $Issue + } + $TestResult.PSTypeNames.Insert(0, 'TestResult') + if ([Result]::Mode -eq 'Output' -or [Result]::Elaborate) { return $TestResult } + [Result]::List.Add($TestResult) + return @() + } + + hidden [String]GetCallerInfo() { + $PSCallStack = Get-PSCallStack + if ($PSCallStack.Count -le 2) { return ''} + return "line $($PSCallStack[2].ScriptLineNumber): $($PSCallStack[2].InvocationInfo.Line.Trim())" + } + + Collect() { + if ([Result]::Mode -ne 'Output') { return } # Already in collect mode + [Result]::Mode = 'Collect' + [Result]::Failed = $false + $this.CollectStage = $true + [Result]::List = [List[Object]]::new() + } + + [object] Complete([Bool]$Output) { + if (-not $this.CollectStage) { return @() } # The result collection didn't start at this stage + [Result]::Mode = 'Output' + $this.CollectStage = $false + $Results = [Result]::List + [Result]::List = $null + if ($Output) { return $Results } else { return @() } + } + } + function StopError($Exception, $Id = 'TestNode', $Category = [ErrorCategory]::SyntaxError, $Object) { if ($Exception -is [ErrorRecord]) { $Exception = $Exception.Exception } elseif ($Exception -isnot [Exception]) { $Exception = [ArgumentException]$Exception } @@ -3915,7 +4031,7 @@ begin { StopError -Exception $Exception -Id 'SchemaError' -Category InvalidOperation -Object $Object } - $Script:Tests = @{ + $Script:Asserts = @{ Description = 'Describes the test node' References = 'Contains a list of assert references' Type = 'The node or value is of type' @@ -3948,14 +4064,10 @@ begin { } $At = @{} - $Tests.Get_Keys().Foreach{ $At[$_] = "$($AssertPrefix)$_" } - - function ResolveReferences($Node) { - if ($Node.Cache.ContainsKey('TestReferences')) { return } - - } + $Asserts.Get_Keys().Foreach{ $At[$_] = "$($AssertPrefix)$_" } function GetReference($LeafNode) { + # An assert node with a string value is a reference to another node $TestNode = $LeafNode.ParentNode $References = if ($TestNode) { if (-not $TestNode.Cache.ContainsKey('TestReferences')) { @@ -3968,7 +4080,8 @@ begin { continue } $RefNode = if ($TestNode.Contains($At.References)) { $TestNode.GetChildNode($At.References) } - $TestNode.Cache['TestReferences'] = [HashTable]::new($Ordinal[[Bool]$RefNode.CaseMatters]) + $CaseMatters = if ($RefNode) { $RefNode.CaseMatters } + $TestNode.Cache['TestReferences'] = [HashTable]::new($Ordinal[[Bool]$CaseMatters]) if ($RefNode) { foreach ($ChildNode in $RefNode.ChildNodes) { if (-not $TestNode.Cache['TestReferences'].ContainsKey($ChildNode.Name)) { @@ -3989,138 +4102,35 @@ begin { } } $TestNode.Cache['TestReferences'] - } else { @{} } + } + else { @{} } if ($References.Contains($LeafNode.Value)) { $AssertNode.Cache['TestReferences'] = $References $References[$LeafNode.Value] } else { SchemaError "Unknown reference: $LeafNode" $ObjectNode $LeafNode } } - - function MatchNode ( - [PSNode]$ObjectNode, - [PSNode]$TestNode, - [Switch]$ValidateOnly, - [Switch]$Elaborate, - [Switch]$Ordered, - [Nullable[Bool]]$CaseSensitive, - [Switch]$MatchAll, - $MatchedNames - ) { - $Violates = $null - $Name = $TestNode.Name - - $ChildNodes = $ObjectNode.ChildNodes - if ($ChildNodes.Count -eq 0) { return } - - $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } - - if ($ObjectNode -is [PSMapNode] -and $TestNode.NodeOrigin -eq 'Map') { - if ($ObjectNode.Contains($Name)) { - $ChildNode = $ObjectNode.GetChildNode($Name) - if ($Ordered -and $ChildNodes.IndexOf($ChildNode) -ne $TestNodes.IndexOf($TestNode)) { - $Violates = "The node $Name is not in order" - } - } else { $ChildNode = $false } - } - elseif ($ChildNodes.Count -eq 1) { $ChildNode = $ChildNodes[0] } - elseif ($Ordered) { - $NodeIndex = $TestNodes.IndexOf($TestNode) - if ($NodeIndex -ge $ChildNodes.Count) { - $Violates = "Expected at least $($TestNodes.Count) (ordered) nodes" - } - $ChildNode = $ChildNodes[$NodeIndex] - } - else { $ChildNode = $null } - - if ($Violates) { - if (-not $ValidateOnly) { - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $AssertNode - Valid = -not $Violates - Issue = $Violates - } - $Output.PSTypeNames.Insert(0, 'TestResult') - $Output - } - return - } - if ($ChildNode -is [PSNode]) { - $Issue = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $AssertNode - Elaborate = $Elaborate - CaseSensitive = $CaseSensitive - ValidateOnly = $ValidateOnly - RefInvalidNode = [Ref]$Issue - } - TestNode @TestParams - if (-not $Issue) { $null = $MatchedNames.Add($ChildNode.Name) } - } - elseif ($null -eq $ChildNode) { - $SingleIssue = $Null - foreach ($ChildNode in $ChildNodes) { - if ($MatchedNames.Contains($ChildNode.Name)) { continue } - $Issue = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $AssertNode - Elaborate = $Elaborate - CaseSensitive = $CaseSensitive - ValidateOnly = $true - RefInvalidNode = [Ref]$Issue - } - TestNode @TestParams - if($Issue) { - if ($Elaborate) { $Issue } - elseif (-not $ValidateOnly -and $MatchAll) { - if ($null -eq $SingleIssue) { $SingleIssue = $Issue } else { $SingleIssue = $false } - } - } - else { - $null = $MatchedNames.Add($ChildNode.Name) - if (-not $MatchAll) { break } - } - } - if ($SingleIssue) { $SingleIssue } - } - elseif ($ChildNode -eq $false) { $AssertResults[$Name] = $false } - else { throw "Unexpected return reference: $ChildNode" } - } - function TestNode ( [PSNode]$ObjectNode, [PSNode]$SchemaNode, - [Switch]$Elaborate, # if set, include the failed test results in the output - [Nullable[Bool]]$CaseSensitive, # inherited the CaseSensitivity frm the parent node if not defined - [Switch]$ValidateOnly, # if set, stop at the first invalid node - $RefInvalidNode # references the first invalid node + [Nullable[Bool]]$CaseSensitive # inherited the CaseSensitivity from the parent node if not defined ) { - $CallStack = Get-PSCallStack - # if ($CallStack.Count -gt 20) { Throw 'Call stack failsafe' } - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - $Caller = $CallStack[1] - Write-Host "$([ParameterColor]'Caller (line: $($Caller.ScriptLineNumber))'):" $Caller.InvocationInfo.Line.Trim() - Write-Host "$([ParameterColor]'ObjectNode:')" $ObjectNode.Path "$ObjectNode" - Write-Host "$([ParameterColor]'SchemaNode:')" $SchemaNode.Path "$SchemaNode" - Write-Host "$([ParameterColor]'ValidateOnly:')" ([Bool]$ValidateOnly) - } if ($SchemaNode -is [PSListNode] -and $SchemaNode.Count -eq 0) { return } # Allow any node + $Result = [Result]::new($ObjectNode, $SchemaNode) + $Violates = $null + $AssertValue = $ObjectNode.Value - $RefInvalidNode.Value = $null # Separate the assert nodes from the schema subnodes $AssertNodes = [Ordered]@{} # $AssertNodes{] = $ChildNodes.@ if ($SchemaNode -is [PSMapNode]) { $TestNodes = [List[PSNode]]::new() foreach ($Node in $SchemaNode.ChildNodes) { - if ($Null -eq $Node.Parent -and $Node.Name -eq $AssertTestPrefix) { continue } + if ($Null -eq $Node.ParentNode.ParentNode -and $Node.Name -eq $AssertTestPrefix) { continue } if ($Node.Name.StartsWith($AssertPrefix)) { $TestName = $Node.Name.SubString($AssertPrefix.Length) - if ($TestName -notin $Tests.Keys) { SchemaError "Unknown assert: '$($Node.Name)'" $ObjectNode $SchemaNode } + if ($TestName -notin $Asserts.Keys) { SchemaError "Unknown assert: '$($Node.Name)'" $ObjectNode $SchemaNode } $AssertNodes[$TestName] = $Node } else { $TestNodes.Add($Node) } @@ -4132,12 +4142,12 @@ begin { if ($AssertNodes.Contains('CaseSensitive')) { $CaseSensitive = [Nullable[Bool]]$AssertNodes['CaseSensitive'] } $AllowExtraNodes = if ($AssertNodes.Contains('AllowExtraNodes')) { $AssertNodes['AllowExtraNodes'] } -#Region Node validation - - $RefInvalidNode.Value = $false $MatchedNames = [HashSet[Object]]::new() - $AssertResults = $Null + $MatchedAsserts = $Null foreach ($TestName in $AssertNodes.get_Keys()) { + + #Region Node assertions + $AssertNode = $AssertNodes[$TestName] $Criteria = $AssertNode.Value $Violates = $null # is either a boolean ($true if invalid) or a string with what was expected @@ -4157,7 +4167,7 @@ begin { if ($ObjectNode -is $Type -or $AssertValue -is $Type) { $true; break } } $Not = $TestName.StartsWith('Not', 'OrdinalIgnoreCase') - if ($null -eq $FoundType -xor $Not) { $Violates = "The node or value is $(if (!$Not) { 'not ' })of type $AssertNode" } + if ($null -eq $FoundType -xor $Not) { $Violates = "The node $ObjectNode is $(if (!$Not) { 'not ' })of type $AssertNode" } } elseif ($TestName -eq 'CaseSensitive') { if ($null -ne $Criteria -and $Criteria -isnot [Bool]) { @@ -4174,36 +4184,37 @@ begin { } elseif ($TestName -eq 'Minimum') { $IsValid = - if ($CaseSensitive -eq $true) { $Criteria -cle $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } - else { $Criteria -le $Value } + if ($CaseSensitive -eq $true) { $Criteria -cle $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } + else { $Criteria -le $Value } if (-not $IsValid) { $Violates = "The $(&$Yield '(case sensitive) ')value $Value is less or equal than $AssertNode" } } elseif ($TestName -eq 'ExclusiveMinimum') { $IsValid = - if ($CaseSensitive -eq $true) { $Criteria -clt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } - else { $Criteria -lt $Value } + if ($CaseSensitive -eq $true) { $Criteria -clt $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } + else { $Criteria -lt $Value } if (-not $IsValid) { $Violates = "The $(&$Yield '(case sensitive) ')value $Value is less than $AssertNode" } } elseif ($TestName -eq 'ExclusiveMaximum') { $IsValid = - if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } - else { $Criteria -gt $Value } + if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } + else { $Criteria -gt $Value } if (-not $IsValid) { $Violates = "The $(&$Yield '(case sensitive) ')value $Value is greater than $AssertNode" } } - else { # if ($TestName -eq 'Maximum') { + else { + # if ($TestName -eq 'Maximum') { $IsValid = - if ($CaseSensitive -eq $true) { $Criteria -cge $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } - else { $Criteria -ge $Value } + if ($CaseSensitive -eq $true) { $Criteria -cge $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } + else { $Criteria -ge $Value } if (-not $IsValid) { $Violates = "The $(&$Yield '(case sensitive) ')value $Value is greater than $AssertNode" } @@ -4232,7 +4243,8 @@ begin { $Violates = "The string length of '$Value' ($Length) is not equal to $AssertNode" } } - else { # if ($TestName -eq 'MaximumLength') { + else { + # if ($TestName -eq 'MaximumLength') { if ($Length -gt $Criteria) { $Violates = "The string length of '$Value' ($Length) is greater than $AssertNode" } @@ -4244,7 +4256,7 @@ begin { elseif ($TestName -in 'Like', 'NotLike', 'Match', 'NotMatch') { if ($null -eq $AllowExtraNodes) { $AllowExtraNodes = $true } $Negate = $TestName.StartsWith('Not', 'OrdinalIgnoreCase') - $Match = $TestName.EndsWith('Match', 'OrdinalIgnoreCase') + $Match = $TestName.EndsWith('Match', 'OrdinalIgnoreCase') $ValueNodes = if ($ObjectNode -is [PSCollectionNode]) { $ObjectNode.ChildNodes } else { @($ObjectNode) } foreach ($ValueNode in $ValueNodes) { $Value = $ValueNode.Value @@ -4255,23 +4267,24 @@ begin { $Found = $false foreach ($AnyCriteria in $Criteria) { $Found = if ($Match) { - if ($true -eq $CaseSensitive) { $Value -cMatch $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iMatch $AnyCriteria } - else { $Value -Match $AnyCriteria } + if ($true -eq $CaseSensitive) { $Value -cmatch $AnyCriteria } + elseif ($false -eq $CaseSensitive) { $Value -imatch $AnyCriteria } + else { $Value -match $AnyCriteria } } - else { # if ($TestName.EndsWith('Link', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $Value -cLike $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iLike $AnyCriteria } - else { $Value -Like $AnyCriteria } + else { + # if ($TestName.EndsWith('Link', 'OrdinalIgnoreCase')) { + if ($true -eq $CaseSensitive) { $Value -clike $AnyCriteria } + elseif ($false -eq $CaseSensitive) { $Value -ilike $AnyCriteria } + else { $Value -like $AnyCriteria } } if ($Found) { break } } $IsValid = $Found -xor $Negate if (-not $IsValid) { - $Not = if (-Not $Negate) { ' not' } + $Not = if (-not $Negate) { ' not' } $Violates = - if ($Match) { "The $(&$Yield '(case sensitive) ')value $Value does$not match $AssertNode" } - else { "The $(&$Yield '(case sensitive) ')value $Value is$not like $AssertNode" } + if ($Match) { "The $(&$Yield '(case sensitive) ')value $Value does$not match $AssertNode" } + else { "The $(&$Yield '(case sensitive) ')value $Value is$not like $AssertNode" } } } } @@ -4290,7 +4303,8 @@ begin { $Violates = "The node count ($($ChildNodes.Count)) is not equal to $AssertNode" } } - else { # if ($TestName -eq 'MaximumCount') { + else { + # if ($TestName -eq 'MaximumCount') { if ($ChildNodes.Count -gt $Criteria) { $Violates = "The node count ($($ChildNodes.Count)) is greater than $AssertNode" } @@ -4314,7 +4328,7 @@ begin { foreach ($UniqueNode in $UniqueCollection) { if ([object]::ReferenceEquals($ObjectNode, $UniqueNode)) { continue } # Self if ($ObjectComparer.IsEqual($ObjectNode, $UniqueNode)) { - $Violates = "The node is equal to the node: $($UniqueNode.Path)" + $Violates = "The node $ObjectNode is equal to the node: $($UniqueNode.Path)" break } } @@ -4328,236 +4342,270 @@ begin { } else { SchemaError "Unknown assert node: $TestName" $ObjectNode $SchemaNode } - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - if (-not $Violates) { Write-Host -ForegroundColor Green "Valid: $TestName $Criteria" } - else { Write-Host -ForegroundColor Red "Invalid: $TestName $Criteria" } - } + #EndRegion Node assertions - if ($Violates -or $Elaborate) { - $Issue = - if ($Violates -is [String]) { $Violates } - elseif ($Criteria -eq $true) { $($Tests[$TestName]) } - else { "$($Tests[$TestName] -replace 'The value ', "The value $ObjectNode ") $AssertNode" } - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = -not $Violates - Issue = $Issue - } - $Output.PSTypeNames.Insert(0, 'TestResult') - if ($Violates) { - $RefInvalidNode.Value = $Output - if ($ValidateOnly) { return } - } - if (-not $ValidateOnly -or $Elaborate) { <# Write-Output #> $Output } - } + $Issue = + if ($Violates -is [String]) { $Violates } + elseif ($Criteria -eq $true) { $($Asserts[$TestName]) } + else { "$($Asserts[$TestName] -replace 'The value ', "The value $ObjectNode ") $AssertNode" } + if (($Out = $Result.Check($Issue, (-not $Violates))) -eq $false) { return } else { $Out } + if ($Violates) { return } } -#EndRegion Node validation - - if ($Violates) { return } - -#Region Required nodes - - $ChildNodes = $ObjectNode.ChildNodes + #Region Required nodes if ($TestNodes.Count -and -not $AssertNodes.Contains('Type')) { if ($SchemaNode -is [PSListNode] -and $ObjectNode -isnot [PSListNode]) { - $Violates = "The node $ObjectNode is not a list node" + if ($Out = $Result.Check("The node $ObjectNode is not a list node", $false)) { $Out } + return } - if ($SchemaNode -is [PSMapNode] -and $ObjectNode -isnot [PSMapNode]) { - $Violates = "The node $ObjectNode is not a map node" + if ($SchemaNode -is [PSMapNode] -and $ObjectNode -isnot [PSCollectionNode]) { + if ($Out = $Result.Check("The node $ObjectNode is not a collection node", $false)) { $Out } + return } } - if (-Not $Violates) { - $RequiredNodes = $AssertNodes['RequiredNodes'] - $CaseSensitiveNames = if ($ObjectNode -is [PSMapNode]) { $ObjectNode.CaseMatters } - $AssertResults = [HashTable]::new($Ordinal[[Bool]$CaseSensitiveNames]) + $LogicalFormulas = $null + $RequiredList = [List[Object]]::new() + $RequiredNodes = $AssertNodes['RequiredNodes'] + $CaseSensitiveNames = if ($ObjectNode -is [PSMapNode]) { $ObjectNode.CaseMatters } + $MatchedAsserts = [HashTable]::new($Ordinal[[Bool]$CaseSensitiveNames]) - if ($RequiredNodes) { $RequiredList = [List[Object]]$RequiredNodes.Value } else { $RequiredList = [List[Object]]::new() } - foreach ($TestNode in $TestNodes) { - $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } - if ($AssertNode -is [PSMapNode] -and $AssertNode.GetValue($At.Required)) { $RequiredList.Add($TestNode.Name) } - } + if ($RequiredNodes) { $RequiredList = [List[Object]]$RequiredNodes.Value } + foreach ($TestNode in $TestNodes) { + $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } + if ($AssertNode -is [PSMapNode] -and $AssertNode.GetValue($At.Required)) { $RequiredList.Add($TestNode.Name) } + } - foreach ($Requirement in $RequiredList) { - $LogicalFormula = [LogicalFormula]$Requirement - $Enumerator = $LogicalFormula.Terms.GetEnumerator() - $Stack = [Stack]::new() - $Stack.Push(@{ + $LogicalFormulas = foreach ($Requirement in $RequiredList) { + $LogicalFormula = [LogicalFormula]$Requirement + if ($LogicalFormula.Terms.Count -gt 1) { $Result.Collect() } + $LogicalFormula + } + + $Accumulator, $Violates = $null + foreach ($LogicalFormula in $LogicalFormulas) { + $Enumerator = $LogicalFormula.Terms.GetEnumerator() + $Stack = [Stack]::new() + $Stack.Push(@{ Enumerator = $Enumerator Accumulator = $null Operator = $null Negate = $null }) - $Term, $Operand, $Accumulator = $null - While ($Stack.Count -gt 0) { - # Accumulator = Accumulator Operand - # if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} - $Pop = $Stack.Pop() - $Enumerator = $Pop.Enumerator - $Operator = $Pop.Operator - if ($null -eq $Operator) { $Operand = $Pop.Accumulator } - else { $Operand, $Accumulator = $Accumulator, $Pop.Accumulator } - $Negate = $Pop.Negate - $Compute = $null -notin $Operand, $Operator, $Accumulator - while ($Compute -or $Enumerator.MoveNext()) { - if ($Compute) { $Compute = $false} - else { - $Term = $Enumerator.Current - if ($Term -is [LogicalVariable]) { - $Name = $Term.Value - if (-not $AssertResults.ContainsKey($Name)) { - if (-not $SchemaNode.Contains($Name)) { - SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode - } - $MatchCount0 = $MatchedNames.Count - $MatchParams = @{ - ObjectNode = $ObjectNode - TestNode = $SchemaNode.GetChildNode($Name) - Elaborate = $Elaborate - ValidateOnly = $ValidateOnly - Ordered = $AssertNodes['Ordered'] - CaseSensitive = $CaseSensitive - MatchAll = $false - MatchedNames = $MatchedNames - } - MatchNode @MatchParams - $AssertResults[$Name] = $MatchedNames.Count -gt $MatchCount0 + $Term, $Operand, $Accumulator = $null + while ($Stack.Count -gt 0) { + # Accumulator = Accumulator Operand + # if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} + $Pop = $Stack.Pop() + $Enumerator = $Pop.Enumerator + $Operator = $Pop.Operator + if ($null -eq $Operator) { $Operand = $Pop.Accumulator } + else { $Operand, $Accumulator = $Accumulator, $Pop.Accumulator } + $Negate = $Pop.Negate + $Compute = $null -notin $Operand, $Operator, $Accumulator + while ($Compute -or $Enumerator.MoveNext()) { + if ($Compute) { $Compute = $false } + else { + $Term = $Enumerator.Current + if ($Term -is [LogicalVariable]) { + $Name = $Term.Value + if (-not $MatchedAsserts.ContainsKey($Name)) { + if (-not $SchemaNode.Contains($Name)) { + SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode } - $Operand = $AssertResults[$Name] - } - elseif ($Term -is [LogicalOperator]) { - if ($Term.Value -eq 'Not') { $Negate = -Not $Negate } - elseif ($null -eq $Operator -and $null -ne $Accumulator) { $Operator = $Term.Value } - else { SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode } + $ScanParams = @{ + ObjectNode = $ObjectNode + TestNode = $SchemaNode.GetChildNode($Name) + Ordered = $AssertNodes['Ordered'] + CaseSensitive = $CaseSensitive + MatchAll = $false + MatchedNames = $MatchedNames + } + QueryChildNodes @ScanParams + $MatchedAsserts[$Name] = -not [Result]::Failed } - elseif ($Term -is [LogicalFormula]) { - $Stack.Push(@{ + $Operand = $MatchedAsserts[$Name] + } + elseif ($Term -is [LogicalOperator]) { + if ($Term.Value -eq 'Not') { $Negate = -not $Negate } + elseif ($null -eq $Operator -and $null -ne $Accumulator) { $Operator = $Term.Value } + else { SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode } + } + elseif ($Term -is [LogicalFormula]) { + $Stack.Push(@{ Enumerator = $Enumerator Accumulator = $Accumulator Operator = $Operator Negate = $Negate }) - $Accumulator, $Operator, $Negate = $null - $Enumerator = $Term.Terms.GetEnumerator() - continue - } - else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } - } - if ($null -ne $Operand) { - if ($null -eq $Accumulator -xor $null -eq $Operator) { - if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } - else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } - } - $Operand = $Operand -Xor $Negate - $Negate = $null - if ($Operator -eq 'And') { - $Operator = $null - if ($Accumulator -eq $false -and -not $AllowExtraNodes) { break } - $Accumulator = $Accumulator -and $Operand - } - elseif ($Operator -eq 'Or') { - $Operator = $null - if ($Accumulator -eq $true -and -not $AllowExtraNodes) { break } - $Accumulator = $Accumulator -Or $Operand - } - elseif ($Operator -eq 'Xor') { - $Operator = $null - $Accumulator = $Accumulator -xor $Operand - } - else { $Accumulator = $Operand } - $Operand = $Null + $Accumulator, $Operator, $Negate = $null + $Enumerator = $Term.Terms.GetEnumerator() + continue } + else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } } - if ($null -ne $Operator -or $null -ne $Negate) { - SchemaError "Missing variable after $Operator" $ObjectNode $SchemaNode + if ($null -ne $Operand) { + if ($null -eq $Accumulator -xor $null -eq $Operator) { + if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } + else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } + } + $Operand = $Operand -xor $Negate + $Negate = $null + if ($Operator -eq 'And') { + $Operator = $null + if ($Accumulator -eq $false -and -not $AllowExtraNodes) { break } + $Accumulator = $Accumulator -and $Operand + } + elseif ($Operator -eq 'Or') { + $Operator = $null + if ($Accumulator -eq $true -and -not $AllowExtraNodes) { break } + $Accumulator = $Accumulator -or $Operand + } + elseif ($Operator -eq 'Xor') { + $Operator = $null + $Accumulator = $Accumulator -xor $Operand + } + else { $Accumulator = $Operand } + $Operand = $Null } } - if ($Accumulator -eq $False) { - $Violates = "The required node condition $LogicalFormula is not met" - break + if ($null -ne $Operator -or $null -ne $Negate) { + SchemaError "Missing variable after $Operator" $ObjectNode $SchemaNode } } + if ($Accumulator -eq $false) { + if (-not [Result]::Failed) { $Violates = "The child node requirement $LogicalFormula is not met" } + break + } + } + [Result]::Failed = $False + if ($Accumulator -eq $false) { + if (-not $Violates) { $Violates = "The child node requirement $LogicalFormulas is not met" } + if (($Out = $Result.Check($Violates, $true)) -eq $false) { return } else { $Out } } + $Result.Complete($Accumulator -eq $false) -#EndRegion Required nodes + #EndRegion Required nodes -#Region Optional nodes + if ([Result]::Failed -and [Result]::Mode -eq 'Output' -and -not [Result]::Elaborate) { return } - if (-not $Violates) { + #Region Optional nodes - foreach ($TestNode in $TestNodes) { - if ($MatchedNames.Count -ge $ChildNodes.Count) { break } - if ($AssertResults.Contains($TestNode.Name)) { continue } - $MatchCount0 = $MatchedNames.Count - $MatchParams = @{ - ObjectNode = $ObjectNode - TestNode = $TestNode - Elaborate = $Elaborate - ValidateOnly = $ValidateOnly - Ordered = $AssertNodes['Ordered'] - CaseSensitive = $CaseSensitive - MatchAll = -not $AllowExtraNodes - MatchedNames = $MatchedNames - } - MatchNode @MatchParams - if ($AllowExtraNodes -and $MatchedNames.Count -eq $MatchCount0) { - $Violates = "When extra nodes are allowed, the node $ObjectNode should be accepted" + if ($ObjectNode -is [PSLeafNode]) { return } + $ChildNodes = $ObjectNode.ChildNodes + $AllPassed = $True + foreach ($TestNode in $TestNodes) { + if ($MatchedNames.Count -ge $ChildNodes.Count) { break } + if ($MatchedAsserts.Contains($TestNode.Name)) { continue } + $ScanParams = @{ + ObjectNode = $ObjectNode + TestNode = $TestNode + Ordered = $AssertNodes['Ordered'] + CaseSensitive = $CaseSensitive + MatchAll = -not $AllowExtraNodes + MatchedNames = $MatchedNames + } + QueryChildNodes @ScanParams + if ([Result]::Failed) { + $AllPassed = $False + if ($AllowExtraNodes) { + $Violates = "When extra nodes are allowed, the $($TestNode.Name) test should pass" break } - $AssertResults[$TestNode.Name] = $MatchedNames.Count -gt $MatchCount0 } + $MatchedAsserts[$TestNode.Name] = -not [Result]::Failed + } - if (-not $AllowExtraNodes -and $MatchedNames.Count -lt $ChildNodes.Count) { - $Count = 0; $LastName = $Null + if (-not $AllowExtraNodes -and $MatchedNames.Count -lt $ChildNodes.Count) { + [Result]::Failed = $true + $Count = 0 + $LastName = $Null + if ($LogicalFormulas -or $AllPassed -or [Result]::Elaborate) { $Names = foreach ($Name in $ChildNodes.Name) { if ($MatchedNames.Contains($Name)) { continue } if ($Count++ -lt 4) { if ($ObjectNode -is [PSListNode]) { [CommandColor]$Name } - else { [StringColor][PSKeyExpression]::new($Name, [PSSerialize]::MaxKeyLength)} + else { [StringColor][PSKeyExpression]::new($Name) } } else { $LastName = $Name } } $Violates = "The following nodes are not accepted: $($Names -join ', ')" if ($LastName) { $LastName = if ($ObjectNode -is [PSListNode]) { [CommandColor]$LastName } - else { [StringColor][PSKeyExpression]::new($LastName, [PSSerialize]::MaxKeyLength) } + else { [StringColor][PSKeyExpression]::new($LastName, [PSSerialize]::MaxKeyLength) } $Violates += " .. $LastName" } } } -#EndRegion Optional nodes + if (($Out = $Result.Check($Violates, (-not $Violates))) -eq $false) { return } else { $Out } + + #EndRegion Optional nodes + } + + function QueryChildNodes ( + [PSNode]$ObjectNode, + [PSNode]$TestNode, + [Switch]$Ordered, + [Nullable[Bool]]$CaseSensitive, + [Switch]$MatchAll, + $MatchedNames + ) { + $Result = [Result]::new($ObjectNode, $SchemaNode) + $Violates = $null + $Name = $TestNode.Name + $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } + $ChildList = $null + if ($ObjectNode -isnot [PSCollectionNode] -or $ObjectNode.ChildNodes.Count -eq 0) { + $Violates = "The node $ObjectNode has no child nodes" + } + elseif ($ObjectNode -is [PSMapNode] -and $TestNode.NodeOrigin -eq 'Map') { + if ($ObjectNode.Contains($Name)) { + if ($Ordered -and $ObjectNode.IndexOf($ObjectNode.ChildNodes) -ne $TestNodes.IndexOf($TestNode)) { + $Violates = "The node $Name is not in order" + } else { $ChildList = $ObjectNode.GetChildNode($Name) } + } + else { $Violates = "The node $Name does not exist" } + } + elseif ($ObjectNode.ChildNodes.Count -eq 1) { $ChildList = $ObjectNode.ChildNodes[0] } + elseif ($Ordered) { + $NodeIndex = $TestNodes.IndexOf($TestNode) + if ($NodeIndex -ge $ObjectNode.ChildNodes.Count) { + $Violates = "Expected at least $($TestNodes.Count) (ordered) nodes" + } else { $ChildList = $ObjectNode.ChildNodes[$NodeIndex] } + } + else { $ChildList = $ObjectNode.ChildNodes } + + if (($Out = $Result.Check($Violates, (-not $Violates))) -eq $false) { return } else { $Out } + if ($Violates) { return } - if ($Violates -or $Elaborate) { - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = -not $Violates - Issue = if ($Violates) { $Violates } else { 'All the child nodes are valid'} + if ($ChildList -is [PSNode]) { # There is only one child node to match + [Result]::Failed = $false + TestNode -ObjectNode $ChildList -SchemaNode $AssertNode -CaseSensitive $CaseSensitive + if (-not [Result]::Failed) { $null = $MatchedNames.Add($ChildList.Name) } + } + elseif ($ChildList) { # There are multiple child nodes to match + $Result.Collect() + $Failed = -not $MatchAll + foreach ($ChildNode in $ChildList) { + if ($MatchedNames.Contains($ChildNode.Name)) { continue } + [Result]::Failed = $false + TestNode -ObjectNode $ChildNode -SchemaNode $AssertNode -CaseSensitive $CaseSensitive + if (-not [Result]::Failed -xor $MatchAll) { $Failed = $MatchAll } + if (-not [Result]::Failed) { $null = $MatchedNames.Add($ChildNode.Name) } } - $Output.PSTypeNames.Insert(0, 'TestResult') - if ($Violates) { $RefInvalidNode.Value = $Output } - if (-not $ValidateOnly -or $Elaborate) { <# Write-Output #> $Output } + [Result]::Failed = $Failed + $Result.Complete($failed) } } } process { + [Result]::Initialize($ValidateOnly, $Elaborate, ($DebugPreference -in 'Stop', 'Continue', 'Inquire')) # This cmdlet can only be invoked once in a single pipeline $ObjectNode = [PSNode]::ParseInput($InputObject, $MaxDepth) - $Script:UniqueCollections = @{} - $Invalid = $Null - $TestParams = @{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Elaborate = $Elaborate - ValidateOnly = $ValidateOnly - RefInvalidNode = [Ref]$Invalid - } - TestNode @TestParams - if ($ValidateOnly) { -not $Invalid } + TestNode $ObjectNode $SchemaNode + if ($ValidateOnly) { -not [Result]::Failed } } } diff --git a/Source/Classes/NodeParser.ps1 b/Source/Classes/NodeParser.ps1 index daea417..28800cf 100644 --- a/Source/Classes/NodeParser.ps1 +++ b/Source/Classes/NodeParser.ps1 @@ -153,7 +153,7 @@ Class PSNode : IComparable { return $Node } - static [PSNode] ParseInput($Object) { return [PSNode]::parseInput($Object, 0) } + static [PSNode] ParseInput($Object) { return [PSNode]::ParseInput($Object, 0) } static [int] Compare($Left, $Right) { return [ObjectComparer]::new().Compare($Left, $Right) @@ -251,60 +251,67 @@ Class PSNode : IComparable { } hidden CollectNodes($NodeTable, [XdnPath]$Path, [Int]$PathIndex) { + if ($PathIndex -ge $Path.Entries.Count) { + $NodeTable[$this.getPathName()] = $this + return + } $Entry = $Path.Entries[$PathIndex] - $NextIndex = if ($PathIndex -lt $Path.Entries.Count -1) { $PathIndex + 1 } - $NextEntry = if ($NextIndex) { $Path.Entries[$NextIndex] } - $Equals = if ($NextEntry -and $NextEntry.Key -eq 'Equals') { - $NextEntry.Value - $NextIndex = if ($NextIndex -lt $Path.Entries.Count -1) { $NextIndex + 1 } - } - switch ($Entry.Key) { - Root { - $Node = $this.RootNode - if ($NextIndex) { $Node.CollectNodes($NodeTable, $Path, $NextIndex) } - else { $NodeTable[$Node.getPathName()] = $Node } + if ($Entry.Key -eq 'Root') { + $this.RootNode.CollectNodes($NodeTable, $Path, ($PathIndex + 1)) + } + elseif ($Entry.Key -eq 'Ancestor') { + $Node = $this + for($i = $Entry.Value; $i -gt 0 -and $Node.ParentNode; $i--) { $Node = $Node.ParentNode } + if ($i -eq 0) { $Node.CollectNodes($NodeTable, $Path, ($PathIndex + 1)) } + } + elseif ($Entry.Key -eq 'Index') { + if ($this -is [PSListNode] -and [Int]::TryParse($Entry.Value, [Ref]$Null)) { + $this.GetChildNode([Int]$Entry.Value).CollectNodes($NodeTable, $Path, ($PathIndex + 1)) } - Ancestor { - $Node = $this - for($i = $Entry.Value; $i -gt 0 -and $Node.ParentNode; $i--) { $Node = $Node.ParentNode } - if ($i -eq 0) { # else: reached root boundary - if ($NextIndex) { $Node.CollectNodes($NodeTable, $Path, $NextIndex) } - else { $NodeTable[$Node.getPathName()] = $Node } + } + elseif ($Entry.Key -eq 'Equals') { + if ($this -is [PSLeafNode]) { + foreach ($Value in $Entry.Value) { + if ($this._Value -like $Value) { + $this.CollectNodes($NodeTable, $Path, ($PathIndex + 1)) + break + } } } - Index { - if ($this -is [PSListNode] -and [Int]::TryParse($Entry.Value, [Ref]$Null)) { - $Node = $this.GetChildNode([Int]$Entry.Value) - if ($NextIndex) { $Node.CollectNodes($NodeTable, $Path, $NextIndex) } - else { $NodeTable[$Node.getPathName()] = $Node } - } + } + elseif ($this -is [PSListNode]) { # Member access enumeration + foreach ($Node in $this.get_ChildNodes()) { + $Node.CollectNodes($NodeTable, $Path, $PathIndex) } - Default { # Child, Descendant - if ($this -is [PSListNode]) { # Member access enumeration - foreach ($Node in $this.get_ChildNodes()) { - $Node.CollectNodes($NodeTable, $Path, $PathIndex) + } + elseif ($this -is [PSMapNode]) { + $Count0 = $NodeTable.get_Count() + foreach ($Value in $Entry.Value) { + $Name = $Value._Value + if ($Value.ContainsWildcard()) { + $CaseMatters = $this.CaseMatters + foreach ($Node in $this.ChildNodes) { + if ($CaseMatters) { if ($Node.Name -cnotlike $Name) { continue } } + else { if ($Node.Name -notlike $Name) { continue } } + $Node.CollectNodes($NodeTable, $Path, ($PathIndex + 1)) } } - elseif ($this -is [PSMapNode]) { - $Found = $False - $ChildNodes = $this.get_ChildNodes() - foreach ($Node in $ChildNodes) { - if ($Entry.Value -eq $Node.Name -and (-not $Equals -or ($Node -is [PSLeafNode] -and $Equals -eq $Node._Value))) { - $Found = $True - if ($NextIndex) { $Node.CollectNodes($NodeTable, $Path, $NextIndex) } - else { $NodeTable[$Node.getPathName()] = $Node } - } - } - if (-not $Found -and $Entry.Key -eq 'Descendant') { - foreach ($Node in $ChildNodes) { - $Node.CollectNodes($NodeTable, $Path, $PathIndex) - } - } + elseif ($this.Contains($Name)) { + $this.GetChildNode($Name).CollectNodes($NodeTable, $Path, ($PathIndex + 1)) + } + } + if ( + ($Entry.Key -eq 'Offspring') -or + ($Entry.Key -eq 'Descendant' -and $NodeTable.get_Count() -eq $Count0) + ) { + foreach ($Node in $this.get_ChildNodes()) { + $Node.CollectNodes($NodeTable, $Path, $PathIndex) } } } } + [Object] GetNode([XdnPath]$Path) { $NodeTable = [system.collections.generic.dictionary[String, PSNode]]::new() # Case sensitive (case insensitive map nodes use the same name) $this.CollectNodes($NodeTable, $Path, 0) @@ -697,8 +704,8 @@ Class PSDictionaryNode : PSMapNode { if ($this.get_CaseMatters()) { $ChildNode = $this.Cache['ChildNode'] $this.Cache['ChildNode'] = [HashTable]::new() # Create a new cache as it appears to be case sensitive - foreach ($Key in $ChildNode.get_Keys()) { # Migrate the content - $this.Cache.ChildNode[$Key] = $ChildNode[$Key] + foreach ($Name in $ChildNode.get_Keys()) { # Migrate the content + $this.Cache.ChildNode[$Name] = $ChildNode[$Name] } } } @@ -778,7 +785,7 @@ Class PSObjectNode : PSMapNode { $this._Value.PSObject.Properties[$Name].Value = $Value } else { - Add-Member -InputObject $this._Value -Type NoteProperty -Name $Name -Value $Value + $this._Value.PSObject.Properties.Add([PSNoteProperty]::new($Name, $Value)) $this.Cache.Remove('ChildNodes') } } diff --git a/Source/Classes/ObjectComparer.ps1 b/Source/Classes/ObjectComparer.ps1 index cf64780..7e4bcea 100644 --- a/Source/Classes/ObjectComparer.ps1 +++ b/Source/Classes/ObjectComparer.ps1 @@ -177,7 +177,7 @@ class ObjectComparer { Path = $Node2.Path + "[$Index2]" $this.Issue = 'Exists' $this.Name1 = $Null - $this.Name2 = if ($Item2 -is [PSLeafNode]) { "$($Item2.Value)" } else { "[$($Item2.ValueType)]" } + $this.Name2 = $Item2 }) } } @@ -190,7 +190,7 @@ class ObjectComparer { $this.Differences.Add([PSCustomObject]@{ Path = $Node1.Path + "[$Index1]" $this.Issue = 'Exists' - $this.Name1 = if ($Item1 -is [PSLeafNode]) { "$($Item1.Value)" } else { "[$($Item1.ValueType)]" } + $this.Name1 = $Item1 $this.Name2 = $Null }) } diff --git a/Source/Classes/PSSerialize.ps1 b/Source/Classes/PSSerialize.ps1 index dea471d..fdcb69a 100644 --- a/Source/Classes/PSSerialize.ps1 +++ b/Source/Classes/PSSerialize.ps1 @@ -249,7 +249,10 @@ Class PSSerialize { $this.StringBuilder.Append(',') $this.NewWord() } - elseif ($ExpandSingle) { $this.NewWord('') } + else { + if ($ExpandSingle) { $this.NewWord('') } + if ($ChildNodes.Count -eq 1 -and $ChildNodes[0] -is [PSListNode]) { $this.StringBuilder.Append(',') } + } $this.Stringify($ChildNode) } $this.Offset-- @@ -274,7 +277,11 @@ Class PSSerialize { $this.StringBuilder.Append([VariableColor]( [PSKeyExpression]::new($ChildNodes[$Index].Name, [PSSerialize]::MaxKeyLength))) $this.StringBuilder.Append('=') - if (-not $IsSubNode -or $this.StringBuilder.Length -le [PSSerialize]::MaxKeyLength) { + if ( + -not $IsSubNode -or + $this.StringBuilder.Length -le [PSSerialize]::MaxKeyLength -or + ($ChildNodes.Count -eq 1 -and $ChildNodes[$Index] -is [PSLeafNode]) + ) { $this.StringBuilder.Append($this.Stringify($ChildNodes[$Index])) } else { $this.StringBuilder.Append([Abbreviate]::Ellipses) } diff --git a/Source/Classes/PSStyleTypes.ps1 b/Source/Classes/PSStyleTypes.ps1 index 986a579..7ca8dca 100644 --- a/Source/Classes/PSStyleTypes.ps1 +++ b/Source/Classes/PSStyleTypes.ps1 @@ -25,6 +25,17 @@ Class ANSI { static [String]$InverseOff Static ANSI() { + # https://stackoverflow.com/questions/38045245/how-to-call-getstdhandle-getconsolemode-from-powershell + $MethodDefinitions = @' +[DllImport("kernel32.dll", SetLastError = true)] +public static extern IntPtr GetStdHandle(int nStdHandle); +[DllImport("kernel32.dll", SetLastError = true)] +public static extern bool GetConsoleMode(IntPtr hConsoleHandle, out uint lpMode); +'@ + $Kernel32 = Add-Type -MemberDefinition $MethodDefinitions -Name 'Kernel32' -Namespace 'Win32' -PassThru + $hConsoleHandle = $Kernel32::GetStdHandle(-11) # STD_OUTPUT_HANDLE + if (-not $Kernel32::GetConsoleMode($hConsoleHandle, [ref]0)) { return } + $PSReadLineOption = try { Get-PSReadLineOption -ErrorAction SilentlyContinue } catch { $null } if (-not $PSReadLineOption) { return } $ANSIType = [ANSI] -as [Type] diff --git a/Source/Cmdlets/Compare-ObjectGraph.ps1 b/Source/Cmdlets/Compare-ObjectGraph.ps1 index 9614fbd..9fa5eef 100644 --- a/Source/Cmdlets/Compare-ObjectGraph.ps1 +++ b/Source/Cmdlets/Compare-ObjectGraph.ps1 @@ -1,67 +1,65 @@ -using module .\..\..\..\ObjectGraphTools - <# .SYNOPSIS - Compare Object Graph +Compare Object Graph .DESCRIPTION - Deep compares two Object Graph and lists the differences between them. +Deep compares two Object Graph and lists the differences between them. .PARAMETER InputObject - The input object that will be compared with the reference object (see: [-Reference] parameter). +The input object that will be compared with the reference object (see: [-Reference] parameter). - > [!NOTE] - > Multiple input object might be provided via the pipeline. - > The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. - > To avoid a list of (root) objects to unroll, use the **comma operator**: +> [!NOTE] +> Multiple input object might be provided via the pipeline. +> The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. +> To avoid a list of (root) objects to unroll, use the **comma operator**: - ,$InputObject | Compare-ObjectGraph $Reference. + ,$InputObject | Compare-ObjectGraph $Reference. .PARAMETER Reference - The reference that is used to compared with the input object (see: [-InputObject] parameter). +The reference that is used to compared with the input object (see: [-InputObject] parameter). .PARAMETER PrimaryKey - If supplied, dictionaries (including PSCustomObject or Component Objects) in a list are matched - based on the values of the `-PrimaryKey` supplied. +If supplied, dictionaries (including PSCustomObject or Component Objects) in a list are matched +based on the values of the `-PrimaryKey` supplied. .PARAMETER IsEqual - If set, the cmdlet will return a boolean (`$true` or `$false`). - As soon a Discrepancy is found, the cmdlet will immediately stop comparing further properties. +If set, the cmdlet will return a boolean (`$true` or `$false`). +As soon a Discrepancy is found, the cmdlet will immediately stop comparing further properties. .PARAMETER MatchCase - Unless the `-MatchCase` switch is provided, string values are considered case insensitive. +Unless the `-MatchCase` switch is provided, string values are considered case insensitive. - > [!NOTE] - > Dictionary keys are compared based on the `$Reference`. - > if the `$Reference` is an object (PSCustomObject or component object), the key or name comparison - > is case insensitive otherwise the comparer supplied with the dictionary is used. +> [!NOTE] +> Dictionary keys are compared based on the `$Reference`. +> if the `$Reference` is an object (PSCustomObject or component object), the key or name comparison +> is case insensitive otherwise the comparer supplied with the dictionary is used. .PARAMETER MatchType - Unless the `-MatchType` switch is provided, a loosely (inclusive) comparison is done where the - `$Reference` object is leading. Meaning `$Reference -eq $InputObject`: +Unless the `-MatchType` switch is provided, a loosely (inclusive) comparison is done where the +`$Reference` object is leading. Meaning `$Reference -eq $InputObject`: - '1.0' -eq 1.0 # $false - 1.0 -eq '1.0' # $true (also $false if the `-MatchType` is provided) + '1.0' -eq 1.0 # $false + 1.0 -eq '1.0' # $true (also $false if the `-MatchType` is provided) .PARAMETER IgnoreLisOrder - By default, items in a list are matched independent of the order (meaning by index position). - If the `-IgnoreListOrder` switch is supplied, any list in the `$InputObject` is searched for a match - with the reference. +By default, items in a list are matched independent of the order (meaning by index position). +If the `-IgnoreListOrder` switch is supplied, any list in the `$InputObject` is searched for a match +with the reference. - > [!NOTE] - > Regardless the list order, any dictionary lists are matched by the primary key (if supplied) first. +> [!NOTE] +> Regardless the list order, any dictionary lists are matched by the primary key (if supplied) first. .PARAMETER MatchMapOrder - By default, items in dictionary (including properties of an PSCustomObject or Component Object) are - matched by their key name (independent of the order). - If the `-MatchMapOrder` switch is supplied, each entry is also validated by the position. +By default, items in dictionary (including properties of an PSCustomObject or Component Object) are +matched by their key name (independent of the order). +If the `-MatchMapOrder` switch is supplied, each entry is also validated by the position. - > [!NOTE] - > A `[HashTable]` type is unordered by design and therefore, regardless the `-MatchMapOrder` switch, - the order of the `[HashTable]` (defined by the `$Reference`) are always ignored. +> [!NOTE] +> A `[HashTable]` type is unordered by design and therefore, regardless the `-MatchMapOrder` switch, +the order of the `[HashTable]` (defined by the `$Reference`) are always ignored. .PARAMETER MaxDepth - The maximal depth to recursively compare each embedded property (default: 10). +The maximal depth to recursively compare each embedded property (default: 10). #> [CmdletBinding(HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Compare-ObjectGraph.md')] param( diff --git a/Source/Cmdlets/ConvertFrom-Expression.ps1 b/Source/Cmdlets/ConvertFrom-Expression.ps1 index 53164b1..6c4fc03 100644 --- a/Source/Cmdlets/ConvertFrom-Expression.ps1 +++ b/Source/Cmdlets/ConvertFrom-Expression.ps1 @@ -1,44 +1,42 @@ -using module .\..\..\..\ObjectGraphTools - <# .SYNOPSIS - Deserializes a PowerShell expression to an object. +Deserializes a PowerShell expression to an object. .DESCRIPTION - The `ConvertFrom-Expression` cmdlet safely converts a PowerShell formatted expression to an object-graph - existing of a mixture of nested arrays, hash tables and objects that contain a list of strings and values. +The `ConvertFrom-Expression` cmdlet safely converts a PowerShell formatted expression to an object-graph +existing of a mixture of nested arrays, hash tables and objects that contain a list of strings and values. .PARAMETER InputObject - Specifies the PowerShell expressions to convert to objects. Enter a variable that contains the string, - or type a command or expression that gets the string. You can also pipe a string to ConvertFrom-Expression. +Specifies the PowerShell expressions to convert to objects. Enter a variable that contains the string, +or type a command or expression that gets the string. You can also pipe a string to ConvertFrom-Expression. - The **InputObject** parameter is required, but its value can be an empty string. - The **InputObject** value can't be `$null` or an empty string. +The **InputObject** parameter is required, but its value can be an empty string. +The **InputObject** value can't be `$null` or an empty string. .PARAMETER LanguageMode - Defines which object types are allowed for the deserialization, see: [About language modes][2] - - * Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, - `[String]`, `[Array]` or `[HashTable]`. - * Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. - - > [!Caution] - > - > In full language mode, `ConvertTo-Expression` permits all type initializers. Cmdlets, functions, - > CIM commands, and workflows will *not* be invoked by the `ConvertFrom-Expression` cmdlet. - > - > Take reasonable precautions when using the `Invoke-Expression -LanguageMode Full` command in scripts. - > Verify that the class types in the expression are safe before instantiating them. In general, it is - > best to design your configuration expressions with restricted or constrained classes, rather than - > allowing full freeform expressions. +Defines which object types are allowed for the deserialization, see: [About language modes][2] + +* Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, + `[String]`, `[Array]` or `[HashTable]`. +* Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. + +> [!Caution] +> +> In full language mode, `ConvertTo-Expression` permits all type initializers. Cmdlets, functions, +> CIM commands, and workflows will *not* be invoked by the `ConvertFrom-Expression` cmdlet. +> +> Take reasonable precautions when using the `Invoke-Expression -LanguageMode Full` command in scripts. +> Verify that the class types in the expression are safe before instantiating them. In general, it is +> best to design your configuration expressions with restricted or constrained classes, rather than +> allowing full freeform expressions. .PARAMETER ListAs - If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown - or denied type initializer will be converted to the given list type. +If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown +or denied type initializer will be converted to the given list type. .PARAMETER MapAs - If supplied, the Hash table literal syntax `@{ }` syntaxes without an type initializer or with an unknown - or denied type initializer will be converted to the given map (dictionary or object) type. +If supplied, the Hash table literal syntax `@{ }` syntaxes without an type initializer or with an unknown +or denied type initializer will be converted to the given map (dictionary or object) type. #> diff --git a/Source/Cmdlets/ConvertTo-Expression.ps1 b/Source/Cmdlets/ConvertTo-Expression.ps1 index 0b75b07..d036a6d 100644 --- a/Source/Cmdlets/ConvertTo-Expression.ps1 +++ b/Source/Cmdlets/ConvertTo-Expression.ps1 @@ -1,113 +1,111 @@ -using module .\..\..\..\ObjectGraphTools - <# .SYNOPSIS - Serializes an object to a PowerShell expression. +Serializes an object to a PowerShell expression. .DESCRIPTION - The ConvertTo-Expression cmdlet converts (serializes) an object to a PowerShell expression. - The object can be stored in a variable, (.psd1) file or any other common storage for later use or to be ported - to another system. +The ConvertTo-Expression cmdlet converts (serializes) an object to a PowerShell expression. +The object can be stored in a variable, (.psd1) file or any other common storage for later use or to be ported +to another system. - expressions might be restored to an object using the native [Invoke-Expression] cmdlet: +expressions might be restored to an object using the native [Invoke-Expression] cmdlet: - $Object = Invoke-Expression ($Object | ConvertTo-Expression) + $Object = Invoke-Expression ($Object | ConvertTo-Expression) - > [!Warning] - > Take reasonable precautions when using the Invoke-Expression cmdlet in scripts. When using `Invoke-Expression` - > to run a command that the user enters, verify that the command is safe to run before running it. - > In general, it is best to restore your objects using [ConvertFrom-Expression]. +> [!Warning] +> Take reasonable precautions when using the Invoke-Expression cmdlet in scripts. When using `Invoke-Expression` +> to run a command that the user enters, verify that the command is safe to run before running it. +> In general, it is best to restore your objects using [ConvertFrom-Expression]. - > [!Note] - > Some object types can not be reconstructed from a simple serialized expression. +> [!Note] +> Some object types can not be reconstructed from a simple serialized expression. .INPUTS - Any. Each objects provided through the pipeline will converted to an expression. To concatenate all piped - objects in a single expression, use the unary comma operator, e.g.: `,$Object | ConvertTo-Expression` +Any. Each objects provided through the pipeline will converted to an expression. To concatenate all piped +objects in a single expression, use the unary comma operator, e.g.: `,$Object | ConvertTo-Expression` .OUTPUTS - String[]. `ConvertTo-Expression` returns a PowerShell [String] expression for each input object. +String[]. `ConvertTo-Expression` returns a PowerShell [String] expression for each input object. .PARAMETER InputObject - Specifies the objects to convert to a PowerShell expression. Enter a variable that contains the objects, - or type a command or expression that gets the objects. You can also pipe one or more objects to - `ConvertTo-Expression.` +Specifies the objects to convert to a PowerShell expression. Enter a variable that contains the objects, +or type a command or expression that gets the objects. You can also pipe one or more objects to +`ConvertTo-Expression.` .PARAMETER LanguageMode - Defines which object types are allowed for the serialization, see: [About language modes][2] - If a specific type isn't allowed in the given language mode, it will be substituted by: +Defines which object types are allowed for the serialization, see: [About language modes][2] +If a specific type isn't allowed in the given language mode, it will be substituted by: - * **`$Null`** in case of a null value - * **`$False`** in case of a boolean false - * **`$True`** in case of a boolean true - * **A number** in case of a primitive value - * **A string** in case of a string or any other **leaf** node - * `@(...)` for an array (**list** node) - * `@{...}` for any dictionary, PSCustomObject or Component (aka **map** node) +* **`$Null`** in case of a null value +* **`$False`** in case of a boolean false +* **`$True`** in case of a boolean true +* **A number** in case of a primitive value +* **A string** in case of a string or any other **leaf** node +* `@(...)` for an array (**list** node) +* `@{...}` for any dictionary, PSCustomObject or Component (aka **map** node) - See the [PSNode Object Parser][1] for a detailed definition on node types. +See the [PSNode Object Parser][1] for a detailed definition on node types. .PARAMETER ExpandDepth - Defines up till what level the collections will be expanded in the output. +Defines up till what level the collections will be expanded in the output. - * A `-ExpandDepth 0` will create a single line expression. - * A `-ExpandDepth -1` will compress the single line by removing command spaces. +* A `-ExpandDepth 0` will create a single line expression. +* A `-ExpandDepth -1` will compress the single line by removing command spaces. - > [!Note] - > White spaces (as newline characters and spaces) will not be removed from the content - > of a (here) string. +> [!Note] +> White spaces (as newline characters and spaces) will not be removed from the content +> of a (here) string. .PARAMETER Explicit - By default, restricted language types initializers are suppressed. - When the `Explicit` switch is set, *all* values will be prefixed with an initializer - (as e.g. `[Long]` and `[Array]`) +By default, restricted language types initializers are suppressed. +When the `Explicit` switch is set, *all* values will be prefixed with an initializer +(as e.g. `[Long]` and `[Array]`) - > [!Note] - > The `-Explicit` switch can not be used in **restricted** language mode +> [!Note] +> The `-Explicit` switch can not be used in **restricted** language mode .PARAMETER FullTypeName - In case a value is prefixed with an initializer, the full type name of the initializer is used. +In case a value is prefixed with an initializer, the full type name of the initializer is used. - > [!Note] - > The `-FullTypename` switch can not be used in **restricted** language mode and will only be - > meaningful if the initializer is used (see also the [-Explicit] switch). +> [!Note] +> The `-FullTypename` switch can not be used in **restricted** language mode and will only be +> meaningful if the initializer is used (see also the [-Explicit] switch). .PARAMETER HighFidelity - If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. +If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. - By default the fidelity of an object expression will end if: +By default the fidelity of an object expression will end if: - 1) the (embedded) object is a leaf node (see: [PSNode Object Parser][1]) - 2) the (embedded) object expression is able to round trip. +1) the (embedded) object is a leaf node (see: [PSNode Object Parser][1]) +2) the (embedded) object expression is able to round trip. - An object is able to roundtrip if the resulted expression of the object itself or one of - its properties (prefixed with the type initializer) can be used to rebuild the object. +An object is able to roundtrip if the resulted expression of the object itself or one of +its properties (prefixed with the type initializer) can be used to rebuild the object. - The advantage of the default fidelity is that the resulted expression round trips (aka the - object might be rebuild from the expression), the disadvantage is that information hold by - less significant properties is lost (as e.g. timezone information in a `DateTime]` object). +The advantage of the default fidelity is that the resulted expression round trips (aka the +object might be rebuild from the expression), the disadvantage is that information hold by +less significant properties is lost (as e.g. timezone information in a `DateTime]` object). - The advantage of the high fidelity switch is that all the information of the underlying - properties is shown, yet any constrained or full object type will likely fail to rebuild - due to constructor limitations such as readonly property. +The advantage of the high fidelity switch is that all the information of the underlying +properties is shown, yet any constrained or full object type will likely fail to rebuild +due to constructor limitations such as readonly property. - > [!Note] - > The Object property `TypeId = []` is always excluded. +> [!Note] +> The Object property `TypeId = []` is always excluded. .PARAMETER ExpandSingleton - (List or map) collections nodes that contain a single item will not be expanded unless this - `-ExpandSingleton` is supplied. +(List or map) collections nodes that contain a single item will not be expanded unless this +`-ExpandSingleton` is supplied. .PARAMETER IndentSize - Specifies indent used for the nested properties. +Specifies indent used for the nested properties. .PARAMETER MaxDepth - Specifies how many levels of contained objects are included in the PowerShell representation. - The default value is define by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`). +Specifies how many levels of contained objects are included in the PowerShell representation. +The default value is define by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`). .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" #> [Alias('cto')] diff --git a/Source/Cmdlets/Copy-ObjectGraph.ps1 b/Source/Cmdlets/Copy-ObjectGraph.ps1 index 02a7cb6..c65dc4d 100644 --- a/Source/Cmdlets/Copy-ObjectGraph.ps1 +++ b/Source/Cmdlets/Copy-ObjectGraph.ps1 @@ -1,46 +1,44 @@ -using module .\..\..\..\ObjectGraphTools - <# .SYNOPSIS - Copy object graph +Copy object graph .DESCRIPTION - Recursively ("deep") copies a object graph. +Recursively ("deep") copies a object graph. .EXAMPLE - # Deep copy a complete object graph into a new object graph +# Deep copy a complete object graph into a new object graph - $NewObjectGraph = Copy-ObjectGraph $ObjectGraph + $NewObjectGraph = Copy-ObjectGraph $ObjectGraph .EXAMPLE - # Copy (convert) an object graph using common PowerShell arrays and PSCustomObjects +# Copy (convert) an object graph using common PowerShell arrays and PSCustomObjects - $PSObject = Copy-ObjectGraph $Object -ListAs [Array] -DictionaryAs PSCustomObject + $PSObject = Copy-ObjectGraph $Object -ListAs [Array] -DictionaryAs PSCustomObject .EXAMPLE - # Convert a Json string to an object graph with (case insensitive) ordered dictionaries +# Convert a Json string to an object graph with (case insensitive) ordered dictionaries - $PSObject = $Json | ConvertFrom-Json | Copy-ObjectGraph -DictionaryAs ([Ordered]@{}) + $PSObject = $Json | ConvertFrom-Json | Copy-ObjectGraph -DictionaryAs ([Ordered]@{}) .PARAMETER InputObject - The input object that will be recursively copied. +The input object that will be recursively copied. .PARAMETER ListAs - If supplied, lists will be converted to the given type (or type of the supplied object example). +If supplied, lists will be converted to the given type (or type of the supplied object example). .PARAMETER DictionaryAs - If supplied, dictionaries will be converted to the given type (or type of the supplied object example). - This parameter also accepts the [`PSCustomObject`][1] types - By default (if the [-DictionaryAs] parameters is omitted), - [`Component`][2] objects will be converted to a [`PSCustomObject`][1] type. +If supplied, dictionaries will be converted to the given type (or type of the supplied object example). +This parameter also accepts the [`PSCustomObject`][1] types +By default (if the [-DictionaryAs] parameters is omitted), +[`Component`][2] objects will be converted to a [`PSCustomObject`][1] type. .PARAMETER ExcludeLeafs - If supplied, only the structure (lists, dictionaries, [`PSCustomObject`][1] types and [`Component`][2] types will be copied. - If omitted, each leaf will be shallow copied +If supplied, only the structure (lists, dictionaries, [`PSCustomObject`][1] types and [`Component`][2] types will be copied. +If omitted, each leaf will be shallow copied .LINK - [1]: https://learn.microsoft.com/dotnet/api/system.management.automation.pscustomobject "PSCustomObject Class" - [2]: https://learn.microsoft.com/dotnet/api/system.componentmodel.component "Component Class" +[1]: https://learn.microsoft.com/dotnet/api/system.management.automation.pscustomobject "PSCustomObject Class" +[2]: https://learn.microsoft.com/dotnet/api/system.componentmodel.component "Component Class" #> [Alias('Copy-Object', 'cpo')] [OutputType([Object[]])] diff --git a/Source/Cmdlets/Export-ObjectGraph.ps1 b/Source/Cmdlets/Export-ObjectGraph.ps1 index a926cfc..2b58073 100644 --- a/Source/Cmdlets/Export-ObjectGraph.ps1 +++ b/Source/Cmdlets/Export-ObjectGraph.ps1 @@ -1,101 +1,99 @@ -using module .\..\..\..\ObjectGraphTools - <# .SYNOPSIS - Serializes a PowerShell File or object-graph and exports it to a PowerShell (data) file. +Serializes a PowerShell File or object-graph and exports it to a PowerShell (data) file. .DESCRIPTION - The `Export-ObjectGraph` cmdlet converts a PowerShell (complex) object to an PowerShell expression - and exports it to a PowerShell (`.ps1`) file or a PowerShell data (`.psd1`) file. +The `Export-ObjectGraph` cmdlet converts a PowerShell (complex) object to an PowerShell expression +and exports it to a PowerShell (`.ps1`) file or a PowerShell data (`.psd1`) file. .PARAMETER Path - Specifies the path to a file where `Export-ObjectGraph` exports the ObjectGraph. - Wildcard characters are permitted. +Specifies the path to a file where `Export-ObjectGraph` exports the ObjectGraph. +Wildcard characters are permitted. .PARAMETER LiteralPath - Specifies a path to one or more locations where PowerShell should export the object-graph. - The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. - If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell - PowerShell not to interpret any characters as escape sequences. +Specifies a path to one or more locations where PowerShell should export the object-graph. +The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. +If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell +PowerShell not to interpret any characters as escape sequences. .PARAMETER LanguageMode - Defines which object types are allowed for the serialization, see: [About language modes][2] - If a specific type isn't allowed in the given language mode, it will be substituted by: +Defines which object types are allowed for the serialization, see: [About language modes][2] +If a specific type isn't allowed in the given language mode, it will be substituted by: - * **`$Null`** in case of a null value - * **`$False`** in case of a boolean false - * **`$True`** in case of a boolean true - * **A number** in case of a primitive value - * **A string** in case of a string or any other **leaf** node - * `@(...)` for an array (**list** node) - * `@{...}` for any dictionary, PSCustomObject or Component (aka **map** node) +* **`$Null`** in case of a null value +* **`$False`** in case of a boolean false +* **`$True`** in case of a boolean true +* **A number** in case of a primitive value +* **A string** in case of a string or any other **leaf** node +* `@(...)` for an array (**list** node) +* `@{...}` for any dictionary, PSCustomObject or Component (aka **map** node) - See the [PSNode Object Parser][1] for a detailed definition on node types. +See the [PSNode Object Parser][1] for a detailed definition on node types. .PARAMETER ExpandDepth - Defines up till what level the collections will be expanded in the output. +Defines up till what level the collections will be expanded in the output. - * A `-ExpandDepth 0` will create a single line expression. - * A `-ExpandDepth -1` will compress the single line by removing command spaces. +* A `-ExpandDepth 0` will create a single line expression. +* A `-ExpandDepth -1` will compress the single line by removing command spaces. - > [!Note] - > White spaces (as newline characters and spaces) will not be removed from the content - > of a (here) string. +> [!Note] +> White spaces (as newline characters and spaces) will not be removed from the content +> of a (here) string. .PARAMETER Explicit - By default, restricted language types initializers are suppressed. - When the `Explicit` switch is set, *all* values will be prefixed with an initializer - (as e.g. `[Long]` and `[Array]`) +By default, restricted language types initializers are suppressed. +When the `Explicit` switch is set, *all* values will be prefixed with an initializer +(as e.g. `[Long]` and `[Array]`) - > [!Note] - > The `-Explicit` switch can not be used in **restricted** language mode +> [!Note] +> The `-Explicit` switch can not be used in **restricted** language mode .PARAMETER FullTypeName - In case a value is prefixed with an initializer, the full type name of the initializer is used. +In case a value is prefixed with an initializer, the full type name of the initializer is used. - > [!Note] - > The `-FullTypename` switch can not be used in **restricted** language mode and will only be - > meaningful if the initializer is used (see also the [-Explicit] switch). +> [!Note] +> The `-FullTypename` switch can not be used in **restricted** language mode and will only be +> meaningful if the initializer is used (see also the [-Explicit] switch). .PARAMETER HighFidelity - If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. +If the `-HighFidelity` switch is supplied, all nested object properties will be serialized. - By default the fidelity of an object expression will end if: +By default the fidelity of an object expression will end if: - 1) the (embedded) object is a leaf node (see: [PSNode Object Parser][1]) - 2) the (embedded) object expression is able to round trip. +1) the (embedded) object is a leaf node (see: [PSNode Object Parser][1]) +2) the (embedded) object expression is able to round trip. - An object is able to roundtrip if the resulted expression of the object itself or one of - its properties (prefixed with the type initializer) can be used to rebuild the object. +An object is able to roundtrip if the resulted expression of the object itself or one of +its properties (prefixed with the type initializer) can be used to rebuild the object. - The advantage of the default fidelity is that the resulted expression round trips (aka the - object might be rebuild from the expression), the disadvantage is that information hold by - less significant properties is lost (as e.g. timezone information in a `DateTime]` object). +The advantage of the default fidelity is that the resulted expression round trips (aka the +object might be rebuild from the expression), the disadvantage is that information hold by +less significant properties is lost (as e.g. timezone information in a `DateTime]` object). - The advantage of the high fidelity switch is that all the information of the underlying - properties is shown, yet any constrained or full object type will likely fail to rebuild - due to constructor limitations such as readonly property. +The advantage of the high fidelity switch is that all the information of the underlying +properties is shown, yet any constrained or full object type will likely fail to rebuild +due to constructor limitations such as readonly property. - > [!Note] - > Objects properties of type `[Reflection.MemberInfo]` are always excluded. +> [!Note] +> Objects properties of type `[Reflection.MemberInfo]` are always excluded. .PARAMETER ExpandSingleton - (List or map) collections nodes that contain a single item will not be expanded unless this - `-ExpandSingleton` is supplied. +(List or map) collections nodes that contain a single item will not be expanded unless this +`-ExpandSingleton` is supplied. .PARAMETER IndentSize - Specifies indent used for the nested properties. +Specifies indent used for the nested properties. .PARAMETER MaxDepth - Specifies how many levels of contained objects are included in the PowerShell representation. - The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). +Specifies how many levels of contained objects are included in the PowerShell representation. +The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). .PARAMETER Encoding - Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. +Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" #> [Alias('Export-Object', 'epo')] diff --git a/Source/Cmdlets/Get-ChildNode.ps1 b/Source/Cmdlets/Get-ChildNode.ps1 index 24acc43..f820255 100644 --- a/Source/Cmdlets/Get-ChildNode.ps1 +++ b/Source/Cmdlets/Get-ChildNode.ps1 @@ -1,164 +1,162 @@ -using module .\..\..\..\ObjectGraphTools - Using NameSpace System.Management.Automation.Language <# .SYNOPSIS - Gets the child nodes of an object-graph +Gets the child nodes of an object-graph .DESCRIPTION - Gets the (unique) nodes and child nodes in one or more specified locations of an object-graph - The returned nodes are unique even if the provide list of input parent nodes have an overlap. +Gets the (unique) nodes and child nodes in one or more specified locations of an object-graph +The returned nodes are unique even if the provide list of input parent nodes have an overlap. .EXAMPLE - # Select all leaf nodes in a object graph - - Given the following object graph: - - $Object = @{ - Comment = 'Sample ObjectGraph' - Data = @( - @{ - Index = 1 - Name = 'One' - Comment = 'First item' - } - @{ - Index = 2 - Name = 'Two' - Comment = 'Second item' - } - @{ - Index = 3 - Name = 'Three' - Comment = 'Third item' - } - ) - } +# Select all leaf nodes in a object graph + +Given the following object graph: + + $Object = @{ + Comment = 'Sample ObjectGraph' + Data = @( + @{ + Index = 1 + Name = 'One' + Comment = 'First item' + } + @{ + Index = 2 + Name = 'Two' + Comment = 'Second item' + } + @{ + Index = 3 + Name = 'Three' + Comment = 'Third item' + } + ) + } - The following example will receive all leaf nodes: +The following example will receive all leaf nodes: - $Object | Get-ChildNode -Recurse -Leaf + $Object | Get-ChildNode -Recurse -Leaf - Path Name Depth Value - ---- ---- ----- ----- - .Data[0].Comment Comment 3 First item - .Data[0].Name Name 3 One - .Data[0].Index Index 3 1 - .Data[1].Comment Comment 3 Second item - .Data[1].Name Name 3 Two - .Data[1].Index Index 3 2 - .Data[2].Comment Comment 3 Third item - .Data[2].Name Name 3 Three - .Data[2].Index Index 3 3 - .Comment Comment 1 Sample ObjectGraph + Path Name Depth Value + ---- ---- ----- ----- + .Data[0].Comment Comment 3 First item + .Data[0].Name Name 3 One + .Data[0].Index Index 3 1 + .Data[1].Comment Comment 3 Second item + .Data[1].Name Name 3 Two + .Data[1].Index Index 3 2 + .Data[2].Comment Comment 3 Third item + .Data[2].Name Name 3 Three + .Data[2].Index Index 3 3 + .Comment Comment 1 Sample ObjectGraph .EXAMPLE - # update a property - - The following example selects all child nodes named `Comment` at a depth of `3`. - Than filters the one that has an `Index` sibling with the value `2` and eventually - sets the value (of the `Comment` node) to: 'Two to the Loo'. - - $Object | Get-ChildNode -AtDepth 3 -Include Comment | - Where-Object { $_.ParentNode.GetChildNode('Index').Value -eq 2 } | - ForEach-Object { $_.Value = 'Two to the Loo' } - - ConvertTo-Expression $Object - - @{ - Data = - @{ - Comment = 'First item' - Name = 'One' - Index = 1 - }, - @{ - Comment = 'Two to the Loo' - Name = 'Two' - Index = 2 - }, - @{ - Comment = 'Third item' - Name = 'Three' - Index = 3 - } - Comment = 'Sample ObjectGraph' - } +# update a property + +The following example selects all child nodes named `Comment` at a depth of `3`. +Than filters the one that has an `Index` sibling with the value `2` and eventually +sets the value (of the `Comment` node) to: 'Two to the Loo'. + + $Object | Get-ChildNode -AtDepth 3 -Include Comment | + Where-Object { $_.ParentNode.GetChildNode('Index').Value -eq 2 } | + ForEach-Object { $_.Value = 'Two to the Loo' } + + ConvertTo-Expression $Object + + @{ + Data = + @{ + Comment = 'First item' + Name = 'One' + Index = 1 + }, + @{ + Comment = 'Two to the Loo' + Name = 'Two' + Index = 2 + }, + @{ + Comment = 'Third item' + Name = 'Three' + Index = 3 + } + Comment = 'Sample ObjectGraph' + } - See the [PowerShell Object Parser][1] For details on the `[PSNode]` properties and methods. +See the [PowerShell Object Parser][1] For details on the `[PSNode]` properties and methods. .PARAMETER InputObject - The concerned object graph or node. +The concerned object graph or node. .PARAMETER Recurse - Recursively iterates through all embedded property objects (nodes) to get the selected nodes. - The maximum depth of of a specific node that might be retrieved is define by the `MaxDepth` - of the (root) node. To change the maximum depth the (root) node needs to be loaded first, e.g.: +Recursively iterates through all embedded property objects (nodes) to get the selected nodes. +The maximum depth of of a specific node that might be retrieved is define by the `MaxDepth` +of the (root) node. To change the maximum depth the (root) node needs to be loaded first, e.g.: - Get-Node -Depth 20 | Get-ChildNode ... + Get-Node -Depth 20 | Get-ChildNode ... - (See also: [`Get-Node`][2]) +(See also: [`Get-Node`][2]) - > [!NOTE] - > If the [AtDepth] parameter is supplied, the object graph is recursively searched anyways - > for the selected nodes up till the deepest given `AtDepth` value. +> [!NOTE] +> If the [AtDepth] parameter is supplied, the object graph is recursively searched anyways +> for the selected nodes up till the deepest given `AtDepth` value. .PARAMETER AtDepth - When defined, only returns nodes at the given depth(s). +When defined, only returns nodes at the given depth(s). - > [!NOTE] - > The nodes below the `MaxDepth` can not be retrieved. +> [!NOTE] +> The nodes below the `MaxDepth` can not be retrieved. .PARAMETER ListChild - Returns the closest nodes derived from a **list node**. +Returns the closest nodes derived from a **list node**. .PARAMETER Include - Returns only nodes derived from a **map node** including only the ones specified by one or more - string patterns defined by this parameter. Wildcard characters are permitted. +Returns only nodes derived from a **map node** including only the ones specified by one or more +string patterns defined by this parameter. Wildcard characters are permitted. - > [!NOTE] - > The [-Include] and [-Exclude] parameters can be used together. However, the exclusions are applied - > after the inclusions, which can affect the final output. +> [!NOTE] +> The [-Include] and [-Exclude] parameters can be used together. However, the exclusions are applied +> after the inclusions, which can affect the final output. .PARAMETER Exclude - Returns only nodes derived from a **map node** excluding the ones specified by one or more - string patterns defined by this parameter. Wildcard characters are permitted. +Returns only nodes derived from a **map node** excluding the ones specified by one or more +string patterns defined by this parameter. Wildcard characters are permitted. - > [!NOTE] - > The [-Include] and [-Exclude] parameters can be used together. However, the exclusions are applied - > after the inclusions, which can affect the final output. +> [!NOTE] +> The [-Include] and [-Exclude] parameters can be used together. However, the exclusions are applied +> after the inclusions, which can affect the final output. .PARAMETER Literal - The values of the [-Include] - and [-Exclude] parameters are used exactly as it is typed. - No characters are interpreted as wildcards. +The values of the [-Include] - and [-Exclude] parameters are used exactly as it is typed. +No characters are interpreted as wildcards. .PARAMETER Leaf - Only return leaf nodes. Leaf nodes are nodes at the end of a branch and do not have any child nodes. - You can use the [-Recurse] parameter with the [-Leaf] parameter. +Only return leaf nodes. Leaf nodes are nodes at the end of a branch and do not have any child nodes. +You can use the [-Recurse] parameter with the [-Leaf] parameter. .PARAMETER IncludeSelf - Includes the current node with the returned child nodes. +Includes the current node with the returned child nodes. .PARAMETER ValueOnly - returns the value of the node instead of the node itself. +returns the value of the node instead of the node itself. .PARAMETER MaxDepth - Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. - The failsafe will prevent infinitive loops for circular references as e.g. in: +Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. +The failsafe will prevent infinitive loops for circular references as e.g. in: - $Test = @{Guid = New-Guid} - $Test.Parent = $Test + $Test = @{Guid = New-Guid} + $Test.Parent = $Test - The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. +The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. - > [!Note] - > The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node - > at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. +> [!Note] +> The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node +> at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Get-Node.md "Get-Node" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Get-Node.md "Get-Node" #> [Alias('gcn')] diff --git a/Source/Cmdlets/Get-Node.ps1 b/Source/Cmdlets/Get-Node.ps1 index a85c72a..e59e121 100644 --- a/Source/Cmdlets/Get-Node.ps1 +++ b/Source/Cmdlets/Get-Node.ps1 @@ -1,116 +1,114 @@ -using module .\..\..\..\ObjectGraphTools - Using NameSpace System.Management.Automation.Language <# .SYNOPSIS - Get a node +Get a node .DESCRIPTION - The Get-Node cmdlet gets the node at the specified property location of the supplied object graph. +The Get-Node cmdlet gets the node at the specified property location of the supplied object graph. .EXAMPLE - # Parse a object graph to a node instance +# Parse a object graph to a node instance - The following example parses a hash table to `[PSNode]` instance: +The following example parses a hash table to `[PSNode]` instance: - @{ 'My' = 1, 2, 3; 'Object' = 'Graph' } | Get-Node + @{ 'My' = 1, 2, 3; 'Object' = 'Graph' } | Get-Node - PathName Name Depth Value - -------- ---- ----- ----- - 0 {My, Object} + PathName Name Depth Value + -------- ---- ----- ----- + 0 {My, Object} .EXAMPLE - # select a sub node in an object graph +# select a sub node in an object graph - The following example parses a hash table to `[PSNode]` instance and selects the second (`0` indexed) - item in the `My` map node +The following example parses a hash table to `[PSNode]` instance and selects the second (`0` indexed) +item in the `My` map node - @{ 'My' = 1, 2, 3; 'Object' = 'Graph' } | Get-Node My[1] + @{ 'My' = 1, 2, 3; 'Object' = 'Graph' } | Get-Node My[1] - PathName Name Depth Value - -------- ---- ----- ----- - My[1] 1 2 2 + PathName Name Depth Value + -------- ---- ----- ----- + My[1] 1 2 2 .EXAMPLE - # Change the price of the **PowerShell** book: +# Change the price of the **PowerShell** book: - $ObjectGraph = - @{ - BookStore = @( - @{ - Book = @{ - Title = 'Harry Potter' - Price = 29.99 - } - }, - @{ - Book = @{ - Title = 'Learning PowerShell' - Price = 39.95 - } - } - ) - } - - ($ObjectGraph | Get-Node BookStore~Title=*PowerShell*..Price).Value = 24.95 - $ObjectGraph | ConvertTo-Expression + $ObjectGraph = @{ BookStore = @( @{ Book = @{ - Price = 29.99 Title = 'Harry Potter' + Price = 29.99 } }, @{ Book = @{ - Price = 24.95 Title = 'Learning PowerShell' + Price = 39.95 } } ) } - for more details, see: [PowerShell Object Parser][1] and [Extended dot notation][2] + ($ObjectGraph | Get-Node BookStore~Title=*PowerShell*..Price).Value = 24.95 + $ObjectGraph | ConvertTo-Expression + @{ + BookStore = @( + @{ + Book = @{ + Price = 29.99 + Title = 'Harry Potter' + } + }, + @{ + Book = @{ + Price = 24.95 + Title = 'Learning PowerShell' + } + } + ) + } + +for more details, see: [PowerShell Object Parser][1] and [Extended dot notation][2] .PARAMETER InputObject - The concerned object graph or node. +The concerned object graph or node. .PARAMETER Path - Specifies the path to a specific node in the object graph. - The path might be either: +Specifies the path to a specific node in the object graph. +The path might be either: - * A dot-notation (`[String]`) literal or expression (as natively used with PowerShell) - * A array of strings (dictionary keys or Property names) and/or integers (list indices) - * A `[PSNodePath]` (such as `$Node.Path`) or a `[XdnPath]` (Extended Dot-Notation) object +* A dot-notation (`[String]`) literal or expression (as natively used with PowerShell) +* A array of strings (dictionary keys or Property names) and/or integers (list indices) +* A `[PSNodePath]` (such as `$Node.Path`) or a `[XdnPath]` (Extended Dot-Notation) object .PARAMETER Literal - If Literal switch is set, all (map) nodes in the given path are considered literal. +If Literal switch is set, all (map) nodes in the given path are considered literal. .PARAMETER ValueOnly - returns the value of the node instead of the node itself. +returns the value of the node instead of the node itself. .PARAMETER Unique - Specifies that if a subset of the nodes has identical properties and values, - only a single node of the subset should be selected. +Specifies that if a subset of the nodes has identical properties and values, +only a single node of the subset should be selected. .PARAMETER MaxDepth - Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. - The failsafe will prevent infinitive loops for circular references as e.g. in: +Specifies the maximum depth that an object graph might be recursively iterated before it throws an error. +The failsafe will prevent infinitive loops for circular references as e.g. in: - $Test = @{Guid = New-Guid} - $Test.Parent = $Test + $Test = @{Guid = New-Guid} + $Test.Parent = $Test - The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. +The default `MaxDepth` is defined by `[PSNode]::DefaultMaxDepth = 10`. - > [!Note] - > The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node - > at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. +> [!Note] +> The `MaxDepth` is bound to the root node of the object graph. Meaning that a descendant node +> at depth of 3 can only recursively iterated (`10 - 3 =`) `7` times. .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Xdn.md "Extended dot notation" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Xdn.md "Extended dot notation" #> [Alias('gn')] diff --git a/Source/Cmdlets/Get-SortObjectGraph.ps1 b/Source/Cmdlets/Get-SortObjectGraph.ps1 index c7cabc6..42454e3 100644 --- a/Source/Cmdlets/Get-SortObjectGraph.ps1 +++ b/Source/Cmdlets/Get-SortObjectGraph.ps1 @@ -1,5 +1,3 @@ -using module .\..\..\..\ObjectGraphTools - <# .SYNOPSIS Sort an object graph diff --git a/Source/Cmdlets/Import-ObjectGraph.ps1 b/Source/Cmdlets/Import-ObjectGraph.ps1 index b57cc92..7b340ac 100644 --- a/Source/Cmdlets/Import-ObjectGraph.ps1 +++ b/Source/Cmdlets/Import-ObjectGraph.ps1 @@ -1,62 +1,60 @@ -using module .\..\..\..\ObjectGraphTools - <# .SYNOPSIS - Deserializes a PowerShell File or any object-graphs from PowerShell file to an object. +Deserializes a PowerShell File or any object-graphs from PowerShell file to an object. .DESCRIPTION - The `Import-ObjectGraph` cmdlet safely converts a PowerShell formatted expression contained by a file - to an object-graph existing of a mixture of nested arrays, hash tables and objects that contain a list - of strings and values. +The `Import-ObjectGraph` cmdlet safely converts a PowerShell formatted expression contained by a file +to an object-graph existing of a mixture of nested arrays, hash tables and objects that contain a list +of strings and values. .PARAMETER Path - Specifies the path to a file where `Import-ObjectGraph` imports the object-graph. - Wildcard characters are permitted. +Specifies the path to a file where `Import-ObjectGraph` imports the object-graph. +Wildcard characters are permitted. .PARAMETER LiteralPath - Specifies a path to one or more locations that contain a PowerShell the object-graph. - The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. - If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell - PowerShell not to interpret any characters as escape sequences. +Specifies a path to one or more locations that contain a PowerShell the object-graph. +The value of LiteralPath is used exactly as it's typed. No characters are interpreted as wildcards. +If the path includes escape characters, enclose it in single quotation marks. Single quotation marks tell +PowerShell not to interpret any characters as escape sequences. .PARAMETER LanguageMode - Defines which object types are allowed for the deserialization, see: [About language modes][2] +Defines which object types are allowed for the deserialization, see: [About language modes][2] - * Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, - `[String]`, `[Array]` or `[HashTable]`. - * Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. +* Any type that is not allowed by the given language mode, will be omitted leaving a bare `[ValueType]`, + `[String]`, `[Array]` or `[HashTable]`. +* Any variable that is not `$True`, `$False` or `$Null` will be converted to a literal string, e.g. `$Test`. - The default `LanguageMode` is `Restricted` for PowerShell Data (`psd1`) files and `Constrained` for any - other files, which usually concerns PowerShell (`.ps1`) files. +The default `LanguageMode` is `Restricted` for PowerShell Data (`psd1`) files and `Constrained` for any +other files, which usually concerns PowerShell (`.ps1`) files. - > [!Caution] - > - > In full language mode, `ConvertTo-Expression` permits all type initializers. Cmdlets, functions, - > CIM commands, and workflows will *not* be invoked by the `ConvertFrom-Expression` cmdlet. - > - > Take reasonable precautions when using the `Invoke-Expression -LanguageMode Full` command in scripts. - > Verify that the class types in the expression are safe before instantiating them. In general, it is - > best to design your configuration expressions with restricted or constrained classes, rather than - > allowing full freeform expressions. +> [!Caution] +> +> In full language mode, `ConvertTo-Expression` permits all type initializers. Cmdlets, functions, +> CIM commands, and workflows will *not* be invoked by the `ConvertFrom-Expression` cmdlet. +> +> Take reasonable precautions when using the `Invoke-Expression -LanguageMode Full` command in scripts. +> Verify that the class types in the expression are safe before instantiating them. In general, it is +> best to design your configuration expressions with restricted or constrained classes, rather than +> allowing full freeform expressions. .PARAMETER ListAs - If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown or - denied type initializer will be converted to the given list type. +If supplied, the array subexpression `@( )` syntaxes without an type initializer or with an unknown or +denied type initializer will be converted to the given list type. .PARAMETER MapAs - If supplied, the array subexpression `@{ }` syntaxes without an type initializer or with an unknown or - denied type initializer will be converted to the given map (dictionary or object) type. +If supplied, the array subexpression `@{ }` syntaxes without an type initializer or with an unknown or +denied type initializer will be converted to the given map (dictionary or object) type. - The default `MapAs` is an (ordered) `PSCustomObject` for PowerShell Data (`psd1`) files and - a (unordered) `HashTable` for any other files, which usually concerns PowerShell (`.ps1`) files that - support explicit type initiators. +The default `MapAs` is an (ordered) `PSCustomObject` for PowerShell Data (`psd1`) files and +a (unordered) `HashTable` for any other files, which usually concerns PowerShell (`.ps1`) files that +support explicit type initiators. .PARAMETER Encoding - Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. +Specifies the type of encoding for the target file. The default value is `utf8NoBOM`. .LINK - [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" - [2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" +[1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/ObjectParser.md "PowerShell Object Parser" +[2]: https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes "About language modes" #> [Alias('Import-Object', 'imo')] diff --git a/Source/Cmdlets/Merge-ObjectGraph.ps1 b/Source/Cmdlets/Merge-ObjectGraph.ps1 index 9082cd6..05fd54a 100644 --- a/Source/Cmdlets/Merge-ObjectGraph.ps1 +++ b/Source/Cmdlets/Merge-ObjectGraph.ps1 @@ -1,38 +1,36 @@ -using module .\..\..\..\ObjectGraphTools - <# .SYNOPSIS - Merges two object graphs into one +Merges two object graphs into one .DESCRIPTION - Recursively merges two object graphs into a new object graph. +Recursively merges two object graphs into a new object graph. .PARAMETER InputObject - The input object that will be merged with the template object (see: [-Template] parameter). +The input object that will be merged with the template object (see: [-Template] parameter). - > [!NOTE] - > Multiple input object might be provided via the pipeline. - > The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. - > To avoid a list of (root) objects to unroll, use the **comma operator**: +> [!NOTE] +> Multiple input object might be provided via the pipeline. +> The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. +> To avoid a list of (root) objects to unroll, use the **comma operator**: - ,$InputObject | Compare-ObjectGraph $Template. + ,$InputObject | Compare-ObjectGraph $Template. .PARAMETER Template - The template that is used to merge with the input object (see: [-InputObject] parameter). +The template that is used to merge with the input object (see: [-InputObject] parameter). .PARAMETER PrimaryKey - In case of a list of dictionaries or PowerShell objects, the PowerShell key is used to - link the items or properties: if the PrimaryKey exists on both the [-Template] and the - [-InputObject] and the values are equal, the dictionary or PowerShell object will be merged. - Otherwise (if the key can't be found or the values differ), the complete dictionary or - PowerShell object will be added to the list. +In case of a list of dictionaries or PowerShell objects, the PowerShell key is used to +link the items or properties: if the PrimaryKey exists on both the [-Template] and the +[-InputObject] and the values are equal, the dictionary or PowerShell object will be merged. +Otherwise (if the key can't be found or the values differ), the complete dictionary or +PowerShell object will be added to the list. - It is allowed to supply multiple primary keys where each primary key will be used to - check the relation between the [-Template] and the [-InputObject]. +It is allowed to supply multiple primary keys where each primary key will be used to +check the relation between the [-Template] and the [-InputObject]. .PARAMETER MaxDepth - The maximal depth to recursively compare each embedded node. - The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). +The maximal depth to recursively compare each embedded node. +The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). #> [Alias('Merge-Object', 'mgo')] diff --git a/Source/Cmdlets/Test-ObjectGraph.ps1 b/Source/Cmdlets/Test-ObjectGraph.ps1 index 52faa76..9691529 100644 --- a/Source/Cmdlets/Test-ObjectGraph.ps1 +++ b/Source/Cmdlets/Test-ObjectGraph.ps1 @@ -1,5 +1,3 @@ -using module .\..\..\..\ObjectGraphTools - using namespace System.Management.Automation using namespace System.Management.Automation.Language using namespace System.Collections @@ -105,49 +103,140 @@ The default value is defined by the PowerShell object node parser (`[PSNode]::De .LINK [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/SchemaObject.md "Schema object definitions" - #> [Alias('Test-Object', 'tso')] -[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( +[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri = 'https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, ValueFromPipeLine = $True)] + [Parameter(ParameterSetName = 'ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] + [Parameter(ParameterSetName = 'ResultList', Mandatory = $true, ValueFromPipeLine = $True)] $InputObject, - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, Position = 0)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, Position = 0)] + [Parameter(ParameterSetName = 'ValidateOnly', Mandatory = $true, Position = 0)] + [Parameter(ParameterSetName = 'ResultList', Mandatory = $true, Position = 0)] $SchemaObject, - [Parameter(ParameterSetName='ValidateOnly')] + [Parameter(ParameterSetName = 'ValidateOnly')] [Switch]$ValidateOnly, - [Parameter(ParameterSetName='ResultList')] + [Parameter(ParameterSetName = 'ResultList')] [Switch]$Elaborate, - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] + [Parameter(ParameterSetName = 'ValidateOnly')] + [Parameter(ParameterSetName = 'ResultList')] [ValidateNotNullOrEmpty()][String]$AssertTestPrefix = 'AssertTestPrefix', - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] + [Parameter(ParameterSetName = 'ValidateOnly')] + [Parameter(ParameterSetName = 'ResultList')] [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth ) begin { + $Script:Elaborate = $Elaborate $Script:Yield = { - $Name = "$Args" -Replace '\W' + $Name = "$Args" -replace '\W' $Value = Get-Variable -Name $Name -ValueOnly -ErrorAction SilentlyContinue if ($Value) { "$args" } } $Script:Ordinal = @{$false = [StringComparer]::OrdinalIgnoreCase; $true = [StringComparer]::Ordinal } + $Script:UniqueCollections = @{} + # The maximum schema object depth is bound by the input object depth (+1 one for the leaf test definition) $SchemaNode = [PSNode]::ParseInput($SchemaObject, ($MaxDepth + 2)) # +2 to be safe $Script:AssertPrefix = if ($SchemaNode.Contains($AssertTestPrefix)) { $SchemaNode.Value[$AssertTestPrefix] } else { '@' } + Enum ResultMode { + Validate # Only determines if the node is valid, if not the cmdlet is supposed to exit immediately + Output # Outputs the results immediately to the pipeline + Collect # Collects the results to match any potential node branch + } + + Class Result { + static [ResultMode]$Mode + static [Bool]$Failed + static [List[Object]]$List + + static [Bool]$Elaborate + static [Bool]$Debug + hidden static [Void]Initialize($ValidateOnly, $Elaborate, $Debug) { + [Result]::Mode = if ($ValidateOnly) { 'Validate' } else { 'Output' } + [Result]::List = $null + [Result]::Failed = $false + [Result]::Elaborate = $Elaborate + [Result]::Debug = $Debug + } + [PSNode]$ObjectNode + [PSNode]$SchemaNode + hidden [Bool]$CollectStage + + Result($ObjectNode, $SchemaNode) { + if ([Result]::Debug) { + $Tab = ' ' * ($SchemaNode.Depth * 2) + Write-Host "$Tab$([ParameterColor]'Caller:')" $this.GetCallerInfo() "(Mode: $([Result]::Mode))" + Write-Host "$Tab$([ParameterColor]'ObjectNode:')" $ObjectNode.Path '=' "$ObjectNode" + Write-Host "$Tab$([ParameterColor]'SchemaNode:')" $SchemaNode.Path '=' "$SchemaNode" + } + $this.ObjectNode = $ObjectNode + $this.SchemaNode = $SchemaNode + } + + [Object]Check([String]$Issue, [Bool]$Passed) { + + # Common test instance invocation: + # if (($Out = $Result.Check('My issue', $Passed)) -eq $false) { return } else { $Out } + + if (-not $Passed) { [Result]::Failed = $true } + + if ([Result]::Debug) { + $Tab = ' ' * ($this.SchemaNode.Depth * 2) + Write-Host "$Tab$([ParameterColor]'Return:')" $this.GetCallerInfo() "(Mode: $([Result]::Mode))" + Write-Host "$Tab$([ParameterColor]'Result:')" $Issue "($(if ($Passed) { 'Passed'} else { 'Failed' }))" + } + + if (-Not $Issue) { return @() } + if ([Result]::Mode -eq 'Validate' -and [Result]::Failed) { return $false } + # if (-not [Result]::Elaborate -and ([Result]::Mode -eq 'Collect' -or $Passed)) { return @() } + if (-not [Result]::Elaborate -and $Passed) { return @() } + + $TestResult = [PSCustomObject]@{ + ObjectNode = $this.ObjectNode + SchemaNode = $this.SchemaNode + Valid = $Passed + Issue = $Issue + } + $TestResult.PSTypeNames.Insert(0, 'TestResult') + if ([Result]::Mode -eq 'Output' -or [Result]::Elaborate) { return $TestResult } + [Result]::List.Add($TestResult) + return @() + } + + hidden [String]GetCallerInfo() { + $PSCallStack = Get-PSCallStack + if ($PSCallStack.Count -le 2) { return ''} + return "line $($PSCallStack[2].ScriptLineNumber): $($PSCallStack[2].InvocationInfo.Line.Trim())" + } + + Collect() { + if ([Result]::Mode -ne 'Output') { return } # Already in collect mode + [Result]::Mode = 'Collect' + [Result]::Failed = $false + $this.CollectStage = $true + [Result]::List = [List[Object]]::new() + } + + [object] Complete([Bool]$Output) { + if (-not $this.CollectStage) { return @() } # The result collection didn't start at this stage + [Result]::Mode = 'Output' + $this.CollectStage = $false + $Results = [Result]::List + [Result]::List = $null + if ($Output) { return $Results } else { return @() } + } + } + function StopError($Exception, $Id = 'TestNode', $Category = [ErrorCategory]::SyntaxError, $Object) { if ($Exception -is [ErrorRecord]) { $Exception = $Exception.Exception } elseif ($Exception -isnot [Exception]) { $Exception = [ArgumentException]$Exception } @@ -161,7 +250,7 @@ begin { StopError -Exception $Exception -Id 'SchemaError' -Category InvalidOperation -Object $Object } - $Script:Tests = @{ + $Script:Asserts = @{ Description = 'Describes the test node' References = 'Contains a list of assert references' Type = 'The node or value is of type' @@ -194,14 +283,10 @@ begin { } $At = @{} - $Tests.Get_Keys().Foreach{ $At[$_] = "$($AssertPrefix)$_" } - - function ResolveReferences($Node) { - if ($Node.Cache.ContainsKey('TestReferences')) { return } - - } + $Asserts.Get_Keys().Foreach{ $At[$_] = "$($AssertPrefix)$_" } function GetReference($LeafNode) { + # An assert node with a string value is a reference to another node $TestNode = $LeafNode.ParentNode $References = if ($TestNode) { if (-not $TestNode.Cache.ContainsKey('TestReferences')) { @@ -214,7 +299,8 @@ begin { continue } $RefNode = if ($TestNode.Contains($At.References)) { $TestNode.GetChildNode($At.References) } - $TestNode.Cache['TestReferences'] = [HashTable]::new($Ordinal[[Bool]$RefNode.CaseMatters]) + $CaseMatters = if ($RefNode) { $RefNode.CaseMatters } + $TestNode.Cache['TestReferences'] = [HashTable]::new($Ordinal[[Bool]$CaseMatters]) if ($RefNode) { foreach ($ChildNode in $RefNode.ChildNodes) { if (-not $TestNode.Cache['TestReferences'].ContainsKey($ChildNode.Name)) { @@ -235,138 +321,35 @@ begin { } } $TestNode.Cache['TestReferences'] - } else { @{} } + } + else { @{} } if ($References.Contains($LeafNode.Value)) { $AssertNode.Cache['TestReferences'] = $References $References[$LeafNode.Value] } else { SchemaError "Unknown reference: $LeafNode" $ObjectNode $LeafNode } } - - function MatchNode ( - [PSNode]$ObjectNode, - [PSNode]$TestNode, - [Switch]$ValidateOnly, - [Switch]$Elaborate, - [Switch]$Ordered, - [Nullable[Bool]]$CaseSensitive, - [Switch]$MatchAll, - $MatchedNames - ) { - $Violates = $null - $Name = $TestNode.Name - - $ChildNodes = $ObjectNode.ChildNodes - if ($ChildNodes.Count -eq 0) { return } - - $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } - - if ($ObjectNode -is [PSMapNode] -and $TestNode.NodeOrigin -eq 'Map') { - if ($ObjectNode.Contains($Name)) { - $ChildNode = $ObjectNode.GetChildNode($Name) - if ($Ordered -and $ChildNodes.IndexOf($ChildNode) -ne $TestNodes.IndexOf($TestNode)) { - $Violates = "The node $Name is not in order" - } - } else { $ChildNode = $false } - } - elseif ($ChildNodes.Count -eq 1) { $ChildNode = $ChildNodes[0] } - elseif ($Ordered) { - $NodeIndex = $TestNodes.IndexOf($TestNode) - if ($NodeIndex -ge $ChildNodes.Count) { - $Violates = "Expected at least $($TestNodes.Count) (ordered) nodes" - } - $ChildNode = $ChildNodes[$NodeIndex] - } - else { $ChildNode = $null } - - if ($Violates) { - if (-not $ValidateOnly) { - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $AssertNode - Valid = -not $Violates - Issue = $Violates - } - $Output.PSTypeNames.Insert(0, 'TestResult') - $Output - } - return - } - if ($ChildNode -is [PSNode]) { - $Issue = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $AssertNode - Elaborate = $Elaborate - CaseSensitive = $CaseSensitive - ValidateOnly = $ValidateOnly - RefInvalidNode = [Ref]$Issue - } - TestNode @TestParams - if (-not $Issue) { $null = $MatchedNames.Add($ChildNode.Name) } - } - elseif ($null -eq $ChildNode) { - $SingleIssue = $Null - foreach ($ChildNode in $ChildNodes) { - if ($MatchedNames.Contains($ChildNode.Name)) { continue } - $Issue = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $AssertNode - Elaborate = $Elaborate - CaseSensitive = $CaseSensitive - ValidateOnly = $true - RefInvalidNode = [Ref]$Issue - } - TestNode @TestParams - if($Issue) { - if ($Elaborate) { $Issue } - elseif (-not $ValidateOnly -and $MatchAll) { - if ($null -eq $SingleIssue) { $SingleIssue = $Issue } else { $SingleIssue = $false } - } - } - else { - $null = $MatchedNames.Add($ChildNode.Name) - if (-not $MatchAll) { break } - } - } - if ($SingleIssue) { $SingleIssue } - } - elseif ($ChildNode -eq $false) { $AssertResults[$Name] = $false } - else { throw "Unexpected return reference: $ChildNode" } - } - function TestNode ( [PSNode]$ObjectNode, [PSNode]$SchemaNode, - [Switch]$Elaborate, # if set, include the failed test results in the output - [Nullable[Bool]]$CaseSensitive, # inherited the CaseSensitivity frm the parent node if not defined - [Switch]$ValidateOnly, # if set, stop at the first invalid node - $RefInvalidNode # references the first invalid node + [Nullable[Bool]]$CaseSensitive # inherited the CaseSensitivity from the parent node if not defined ) { - $CallStack = Get-PSCallStack - # if ($CallStack.Count -gt 20) { Throw 'Call stack failsafe' } - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - $Caller = $CallStack[1] - Write-Host "$([ParameterColor]'Caller (line: $($Caller.ScriptLineNumber))'):" $Caller.InvocationInfo.Line.Trim() - Write-Host "$([ParameterColor]'ObjectNode:')" $ObjectNode.Path "$ObjectNode" - Write-Host "$([ParameterColor]'SchemaNode:')" $SchemaNode.Path "$SchemaNode" - Write-Host "$([ParameterColor]'ValidateOnly:')" ([Bool]$ValidateOnly) - } if ($SchemaNode -is [PSListNode] -and $SchemaNode.Count -eq 0) { return } # Allow any node + $Result = [Result]::new($ObjectNode, $SchemaNode) + $Violates = $null + $AssertValue = $ObjectNode.Value - $RefInvalidNode.Value = $null # Separate the assert nodes from the schema subnodes $AssertNodes = [Ordered]@{} # $AssertNodes{] = $ChildNodes.@ if ($SchemaNode -is [PSMapNode]) { $TestNodes = [List[PSNode]]::new() foreach ($Node in $SchemaNode.ChildNodes) { - if ($Null -eq $Node.Parent -and $Node.Name -eq $AssertTestPrefix) { continue } + if ($Null -eq $Node.ParentNode.ParentNode -and $Node.Name -eq $AssertTestPrefix) { continue } if ($Node.Name.StartsWith($AssertPrefix)) { $TestName = $Node.Name.SubString($AssertPrefix.Length) - if ($TestName -notin $Tests.Keys) { SchemaError "Unknown assert: '$($Node.Name)'" $ObjectNode $SchemaNode } + if ($TestName -notin $Asserts.Keys) { SchemaError "Unknown assert: '$($Node.Name)'" $ObjectNode $SchemaNode } $AssertNodes[$TestName] = $Node } else { $TestNodes.Add($Node) } @@ -378,12 +361,12 @@ begin { if ($AssertNodes.Contains('CaseSensitive')) { $CaseSensitive = [Nullable[Bool]]$AssertNodes['CaseSensitive'] } $AllowExtraNodes = if ($AssertNodes.Contains('AllowExtraNodes')) { $AssertNodes['AllowExtraNodes'] } -#Region Node validation - - $RefInvalidNode.Value = $false $MatchedNames = [HashSet[Object]]::new() - $AssertResults = $Null + $MatchedAsserts = $Null foreach ($TestName in $AssertNodes.get_Keys()) { + + #Region Node assertions + $AssertNode = $AssertNodes[$TestName] $Criteria = $AssertNode.Value $Violates = $null # is either a boolean ($true if invalid) or a string with what was expected @@ -403,7 +386,7 @@ begin { if ($ObjectNode -is $Type -or $AssertValue -is $Type) { $true; break } } $Not = $TestName.StartsWith('Not', 'OrdinalIgnoreCase') - if ($null -eq $FoundType -xor $Not) { $Violates = "The node or value is $(if (!$Not) { 'not ' })of type $AssertNode" } + if ($null -eq $FoundType -xor $Not) { $Violates = "The node $ObjectNode is $(if (!$Not) { 'not ' })of type $AssertNode" } } elseif ($TestName -eq 'CaseSensitive') { if ($null -ne $Criteria -and $Criteria -isnot [Bool]) { @@ -420,36 +403,37 @@ begin { } elseif ($TestName -eq 'Minimum') { $IsValid = - if ($CaseSensitive -eq $true) { $Criteria -cle $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } - else { $Criteria -le $Value } + if ($CaseSensitive -eq $true) { $Criteria -cle $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } + else { $Criteria -le $Value } if (-not $IsValid) { $Violates = "The $(&$Yield '(case sensitive) ')value $Value is less or equal than $AssertNode" } } elseif ($TestName -eq 'ExclusiveMinimum') { $IsValid = - if ($CaseSensitive -eq $true) { $Criteria -clt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } - else { $Criteria -lt $Value } + if ($CaseSensitive -eq $true) { $Criteria -clt $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } + else { $Criteria -lt $Value } if (-not $IsValid) { $Violates = "The $(&$Yield '(case sensitive) ')value $Value is less than $AssertNode" } } elseif ($TestName -eq 'ExclusiveMaximum') { $IsValid = - if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } - else { $Criteria -gt $Value } + if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } + else { $Criteria -gt $Value } if (-not $IsValid) { $Violates = "The $(&$Yield '(case sensitive) ')value $Value is greater than $AssertNode" } } - else { # if ($TestName -eq 'Maximum') { + else { + # if ($TestName -eq 'Maximum') { $IsValid = - if ($CaseSensitive -eq $true) { $Criteria -cge $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } - else { $Criteria -ge $Value } + if ($CaseSensitive -eq $true) { $Criteria -cge $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } + else { $Criteria -ge $Value } if (-not $IsValid) { $Violates = "The $(&$Yield '(case sensitive) ')value $Value is greater than $AssertNode" } @@ -478,7 +462,8 @@ begin { $Violates = "The string length of '$Value' ($Length) is not equal to $AssertNode" } } - else { # if ($TestName -eq 'MaximumLength') { + else { + # if ($TestName -eq 'MaximumLength') { if ($Length -gt $Criteria) { $Violates = "The string length of '$Value' ($Length) is greater than $AssertNode" } @@ -490,7 +475,7 @@ begin { elseif ($TestName -in 'Like', 'NotLike', 'Match', 'NotMatch') { if ($null -eq $AllowExtraNodes) { $AllowExtraNodes = $true } $Negate = $TestName.StartsWith('Not', 'OrdinalIgnoreCase') - $Match = $TestName.EndsWith('Match', 'OrdinalIgnoreCase') + $Match = $TestName.EndsWith('Match', 'OrdinalIgnoreCase') $ValueNodes = if ($ObjectNode -is [PSCollectionNode]) { $ObjectNode.ChildNodes } else { @($ObjectNode) } foreach ($ValueNode in $ValueNodes) { $Value = $ValueNode.Value @@ -501,23 +486,24 @@ begin { $Found = $false foreach ($AnyCriteria in $Criteria) { $Found = if ($Match) { - if ($true -eq $CaseSensitive) { $Value -cMatch $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iMatch $AnyCriteria } - else { $Value -Match $AnyCriteria } + if ($true -eq $CaseSensitive) { $Value -cmatch $AnyCriteria } + elseif ($false -eq $CaseSensitive) { $Value -imatch $AnyCriteria } + else { $Value -match $AnyCriteria } } - else { # if ($TestName.EndsWith('Link', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $Value -cLike $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iLike $AnyCriteria } - else { $Value -Like $AnyCriteria } + else { + # if ($TestName.EndsWith('Link', 'OrdinalIgnoreCase')) { + if ($true -eq $CaseSensitive) { $Value -clike $AnyCriteria } + elseif ($false -eq $CaseSensitive) { $Value -ilike $AnyCriteria } + else { $Value -like $AnyCriteria } } if ($Found) { break } } $IsValid = $Found -xor $Negate if (-not $IsValid) { - $Not = if (-Not $Negate) { ' not' } + $Not = if (-not $Negate) { ' not' } $Violates = - if ($Match) { "The $(&$Yield '(case sensitive) ')value $Value does$not match $AssertNode" } - else { "The $(&$Yield '(case sensitive) ')value $Value is$not like $AssertNode" } + if ($Match) { "The $(&$Yield '(case sensitive) ')value $Value does$not match $AssertNode" } + else { "The $(&$Yield '(case sensitive) ')value $Value is$not like $AssertNode" } } } } @@ -536,7 +522,8 @@ begin { $Violates = "The node count ($($ChildNodes.Count)) is not equal to $AssertNode" } } - else { # if ($TestName -eq 'MaximumCount') { + else { + # if ($TestName -eq 'MaximumCount') { if ($ChildNodes.Count -gt $Criteria) { $Violates = "The node count ($($ChildNodes.Count)) is greater than $AssertNode" } @@ -560,7 +547,7 @@ begin { foreach ($UniqueNode in $UniqueCollection) { if ([object]::ReferenceEquals($ObjectNode, $UniqueNode)) { continue } # Self if ($ObjectComparer.IsEqual($ObjectNode, $UniqueNode)) { - $Violates = "The node is equal to the node: $($UniqueNode.Path)" + $Violates = "The node $ObjectNode is equal to the node: $($UniqueNode.Path)" break } } @@ -574,235 +561,268 @@ begin { } else { SchemaError "Unknown assert node: $TestName" $ObjectNode $SchemaNode } - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - if (-not $Violates) { Write-Host -ForegroundColor Green "Valid: $TestName $Criteria" } - else { Write-Host -ForegroundColor Red "Invalid: $TestName $Criteria" } - } + #EndRegion Node assertions - if ($Violates -or $Elaborate) { - $Issue = - if ($Violates -is [String]) { $Violates } - elseif ($Criteria -eq $true) { $($Tests[$TestName]) } - else { "$($Tests[$TestName] -replace 'The value ', "The value $ObjectNode ") $AssertNode" } - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = -not $Violates - Issue = $Issue - } - $Output.PSTypeNames.Insert(0, 'TestResult') - if ($Violates) { - $RefInvalidNode.Value = $Output - if ($ValidateOnly) { return } - } - if (-not $ValidateOnly -or $Elaborate) { <# Write-Output #> $Output } - } + $Issue = + if ($Violates -is [String]) { $Violates } + elseif ($Criteria -eq $true) { $($Asserts[$TestName]) } + else { "$($Asserts[$TestName] -replace 'The value ', "The value $ObjectNode ") $AssertNode" } + if (($Out = $Result.Check($Issue, (-not $Violates))) -eq $false) { return } else { $Out } + if ($Violates) { return } } -#EndRegion Node validation - - if ($Violates) { return } - -#Region Required nodes - - $ChildNodes = $ObjectNode.ChildNodes + #Region Required nodes if ($TestNodes.Count -and -not $AssertNodes.Contains('Type')) { if ($SchemaNode -is [PSListNode] -and $ObjectNode -isnot [PSListNode]) { - $Violates = "The node $ObjectNode is not a list node" + if ($Out = $Result.Check("The node $ObjectNode is not a list node", $false)) { $Out } + return } - if ($SchemaNode -is [PSMapNode] -and $ObjectNode -isnot [PSMapNode]) { - $Violates = "The node $ObjectNode is not a map node" + if ($SchemaNode -is [PSMapNode] -and $ObjectNode -isnot [PSCollectionNode]) { + if ($Out = $Result.Check("The node $ObjectNode is not a collection node", $false)) { $Out } + return } } - if (-Not $Violates) { - $RequiredNodes = $AssertNodes['RequiredNodes'] - $CaseSensitiveNames = if ($ObjectNode -is [PSMapNode]) { $ObjectNode.CaseMatters } - $AssertResults = [HashTable]::new($Ordinal[[Bool]$CaseSensitiveNames]) + $LogicalFormulas = $null + $RequiredList = [List[Object]]::new() + $RequiredNodes = $AssertNodes['RequiredNodes'] + $CaseSensitiveNames = if ($ObjectNode -is [PSMapNode]) { $ObjectNode.CaseMatters } + $MatchedAsserts = [HashTable]::new($Ordinal[[Bool]$CaseSensitiveNames]) - if ($RequiredNodes) { $RequiredList = [List[Object]]$RequiredNodes.Value } else { $RequiredList = [List[Object]]::new() } - foreach ($TestNode in $TestNodes) { - $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } - if ($AssertNode -is [PSMapNode] -and $AssertNode.GetValue($At.Required)) { $RequiredList.Add($TestNode.Name) } - } + if ($RequiredNodes) { $RequiredList = [List[Object]]$RequiredNodes.Value } + foreach ($TestNode in $TestNodes) { + $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } + if ($AssertNode -is [PSMapNode] -and $AssertNode.GetValue($At.Required)) { $RequiredList.Add($TestNode.Name) } + } - foreach ($Requirement in $RequiredList) { - $LogicalFormula = [LogicalFormula]$Requirement - $Enumerator = $LogicalFormula.Terms.GetEnumerator() - $Stack = [Stack]::new() - $Stack.Push(@{ + $LogicalFormulas = foreach ($Requirement in $RequiredList) { + $LogicalFormula = [LogicalFormula]$Requirement + if ($LogicalFormula.Terms.Count -gt 1) { $Result.Collect() } + $LogicalFormula + } + + $Accumulator, $Violates = $null + foreach ($LogicalFormula in $LogicalFormulas) { + $Enumerator = $LogicalFormula.Terms.GetEnumerator() + $Stack = [Stack]::new() + $Stack.Push(@{ Enumerator = $Enumerator Accumulator = $null Operator = $null Negate = $null }) - $Term, $Operand, $Accumulator = $null - While ($Stack.Count -gt 0) { - # Accumulator = Accumulator Operand - # if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} - $Pop = $Stack.Pop() - $Enumerator = $Pop.Enumerator - $Operator = $Pop.Operator - if ($null -eq $Operator) { $Operand = $Pop.Accumulator } - else { $Operand, $Accumulator = $Accumulator, $Pop.Accumulator } - $Negate = $Pop.Negate - $Compute = $null -notin $Operand, $Operator, $Accumulator - while ($Compute -or $Enumerator.MoveNext()) { - if ($Compute) { $Compute = $false} - else { - $Term = $Enumerator.Current - if ($Term -is [LogicalVariable]) { - $Name = $Term.Value - if (-not $AssertResults.ContainsKey($Name)) { - if (-not $SchemaNode.Contains($Name)) { - SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode - } - $MatchCount0 = $MatchedNames.Count - $MatchParams = @{ - ObjectNode = $ObjectNode - TestNode = $SchemaNode.GetChildNode($Name) - Elaborate = $Elaborate - ValidateOnly = $ValidateOnly - Ordered = $AssertNodes['Ordered'] - CaseSensitive = $CaseSensitive - MatchAll = $false - MatchedNames = $MatchedNames - } - MatchNode @MatchParams - $AssertResults[$Name] = $MatchedNames.Count -gt $MatchCount0 + $Term, $Operand, $Accumulator = $null + while ($Stack.Count -gt 0) { + # Accumulator = Accumulator Operand + # if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} + $Pop = $Stack.Pop() + $Enumerator = $Pop.Enumerator + $Operator = $Pop.Operator + if ($null -eq $Operator) { $Operand = $Pop.Accumulator } + else { $Operand, $Accumulator = $Accumulator, $Pop.Accumulator } + $Negate = $Pop.Negate + $Compute = $null -notin $Operand, $Operator, $Accumulator + while ($Compute -or $Enumerator.MoveNext()) { + if ($Compute) { $Compute = $false } + else { + $Term = $Enumerator.Current + if ($Term -is [LogicalVariable]) { + $Name = $Term.Value + if (-not $MatchedAsserts.ContainsKey($Name)) { + if (-not $SchemaNode.Contains($Name)) { + SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode } - $Operand = $AssertResults[$Name] - } - elseif ($Term -is [LogicalOperator]) { - if ($Term.Value -eq 'Not') { $Negate = -Not $Negate } - elseif ($null -eq $Operator -and $null -ne $Accumulator) { $Operator = $Term.Value } - else { SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode } + $ScanParams = @{ + ObjectNode = $ObjectNode + TestNode = $SchemaNode.GetChildNode($Name) + Ordered = $AssertNodes['Ordered'] + CaseSensitive = $CaseSensitive + MatchAll = $false + MatchedNames = $MatchedNames + } + QueryChildNodes @ScanParams + $MatchedAsserts[$Name] = -not [Result]::Failed } - elseif ($Term -is [LogicalFormula]) { - $Stack.Push(@{ + $Operand = $MatchedAsserts[$Name] + } + elseif ($Term -is [LogicalOperator]) { + if ($Term.Value -eq 'Not') { $Negate = -not $Negate } + elseif ($null -eq $Operator -and $null -ne $Accumulator) { $Operator = $Term.Value } + else { SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode } + } + elseif ($Term -is [LogicalFormula]) { + $Stack.Push(@{ Enumerator = $Enumerator Accumulator = $Accumulator Operator = $Operator Negate = $Negate }) - $Accumulator, $Operator, $Negate = $null - $Enumerator = $Term.Terms.GetEnumerator() - continue - } - else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } - } - if ($null -ne $Operand) { - if ($null -eq $Accumulator -xor $null -eq $Operator) { - if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } - else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } - } - $Operand = $Operand -Xor $Negate - $Negate = $null - if ($Operator -eq 'And') { - $Operator = $null - if ($Accumulator -eq $false -and -not $AllowExtraNodes) { break } - $Accumulator = $Accumulator -and $Operand - } - elseif ($Operator -eq 'Or') { - $Operator = $null - if ($Accumulator -eq $true -and -not $AllowExtraNodes) { break } - $Accumulator = $Accumulator -Or $Operand - } - elseif ($Operator -eq 'Xor') { - $Operator = $null - $Accumulator = $Accumulator -xor $Operand - } - else { $Accumulator = $Operand } - $Operand = $Null + $Accumulator, $Operator, $Negate = $null + $Enumerator = $Term.Terms.GetEnumerator() + continue } + else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } } - if ($null -ne $Operator -or $null -ne $Negate) { - SchemaError "Missing variable after $Operator" $ObjectNode $SchemaNode + if ($null -ne $Operand) { + if ($null -eq $Accumulator -xor $null -eq $Operator) { + if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } + else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } + } + $Operand = $Operand -xor $Negate + $Negate = $null + if ($Operator -eq 'And') { + $Operator = $null + if ($Accumulator -eq $false -and -not $AllowExtraNodes) { break } + $Accumulator = $Accumulator -and $Operand + } + elseif ($Operator -eq 'Or') { + $Operator = $null + if ($Accumulator -eq $true -and -not $AllowExtraNodes) { break } + $Accumulator = $Accumulator -or $Operand + } + elseif ($Operator -eq 'Xor') { + $Operator = $null + $Accumulator = $Accumulator -xor $Operand + } + else { $Accumulator = $Operand } + $Operand = $Null } } - if ($Accumulator -eq $False) { - $Violates = "The required node condition $LogicalFormula is not met" - break + if ($null -ne $Operator -or $null -ne $Negate) { + SchemaError "Missing variable after $Operator" $ObjectNode $SchemaNode } } + if ($Accumulator -eq $false) { + if (-not [Result]::Failed) { $Violates = "The child node requirement $LogicalFormula is not met" } + break + } + } + [Result]::Failed = $False + if ($Accumulator -eq $false) { + if (-not $Violates) { $Violates = "The child node requirement $LogicalFormulas is not met" } + if (($Out = $Result.Check($Violates, $true)) -eq $false) { return } else { $Out } } + $Result.Complete($Accumulator -eq $false) -#EndRegion Required nodes - -#Region Optional nodes - - if (-not $Violates) { - - foreach ($TestNode in $TestNodes) { - if ($MatchedNames.Count -ge $ChildNodes.Count) { break } - if ($AssertResults.Contains($TestNode.Name)) { continue } - $MatchCount0 = $MatchedNames.Count - $MatchParams = @{ - ObjectNode = $ObjectNode - TestNode = $TestNode - Elaborate = $Elaborate - ValidateOnly = $ValidateOnly - Ordered = $AssertNodes['Ordered'] - CaseSensitive = $CaseSensitive - MatchAll = -not $AllowExtraNodes - MatchedNames = $MatchedNames - } - MatchNode @MatchParams - if ($AllowExtraNodes -and $MatchedNames.Count -eq $MatchCount0) { - $Violates = "When extra nodes are allowed, the node $ObjectNode should be accepted" + #EndRegion Required nodes + + if ([Result]::Failed -and [Result]::Mode -eq 'Output' -and -not [Result]::Elaborate) { return } + + #Region Optional nodes + + if ($ObjectNode -is [PSLeafNode]) { return } + $ChildNodes = $ObjectNode.ChildNodes + $AllPassed = $True + foreach ($TestNode in $TestNodes) { + if ($MatchedNames.Count -ge $ChildNodes.Count) { break } + if ($MatchedAsserts.Contains($TestNode.Name)) { continue } + $ScanParams = @{ + ObjectNode = $ObjectNode + TestNode = $TestNode + Ordered = $AssertNodes['Ordered'] + CaseSensitive = $CaseSensitive + MatchAll = -not $AllowExtraNodes + MatchedNames = $MatchedNames + } + QueryChildNodes @ScanParams + if ([Result]::Failed) { + $AllPassed = $False + if ($AllowExtraNodes) { + $Violates = "When extra nodes are allowed, the $($TestNode.Name) test should pass" break } - $AssertResults[$TestNode.Name] = $MatchedNames.Count -gt $MatchCount0 } + $MatchedAsserts[$TestNode.Name] = -not [Result]::Failed + } - if (-not $AllowExtraNodes -and $MatchedNames.Count -lt $ChildNodes.Count) { - $Count = 0; $LastName = $Null + if (-not $AllowExtraNodes -and $MatchedNames.Count -lt $ChildNodes.Count) { + [Result]::Failed = $true + $Count = 0 + $LastName = $Null + if ($LogicalFormulas -or $AllPassed -or [Result]::Elaborate) { $Names = foreach ($Name in $ChildNodes.Name) { if ($MatchedNames.Contains($Name)) { continue } if ($Count++ -lt 4) { if ($ObjectNode -is [PSListNode]) { [CommandColor]$Name } - else { [StringColor][PSKeyExpression]::new($Name, [PSSerialize]::MaxKeyLength)} + else { [StringColor][PSKeyExpression]::new($Name) } } else { $LastName = $Name } } $Violates = "The following nodes are not accepted: $($Names -join ', ')" if ($LastName) { $LastName = if ($ObjectNode -is [PSListNode]) { [CommandColor]$LastName } - else { [StringColor][PSKeyExpression]::new($LastName, [PSSerialize]::MaxKeyLength) } + else { [StringColor][PSKeyExpression]::new($LastName, [PSSerialize]::MaxKeyLength) } $Violates += " .. $LastName" } } } -#EndRegion Optional nodes + if (($Out = $Result.Check($Violates, (-not $Violates))) -eq $false) { return } else { $Out } + + #EndRegion Optional nodes + } + + function QueryChildNodes ( + [PSNode]$ObjectNode, + [PSNode]$TestNode, + [Switch]$Ordered, + [Nullable[Bool]]$CaseSensitive, + [Switch]$MatchAll, + $MatchedNames + ) { + $Result = [Result]::new($ObjectNode, $SchemaNode) + $Violates = $null + $Name = $TestNode.Name + $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } + $ChildList = $null + if ($ObjectNode -isnot [PSCollectionNode] -or $ObjectNode.ChildNodes.Count -eq 0) { + $Violates = "The node $ObjectNode has no child nodes" + } + elseif ($ObjectNode -is [PSMapNode] -and $TestNode.NodeOrigin -eq 'Map') { + if ($ObjectNode.Contains($Name)) { + if ($Ordered -and $ObjectNode.IndexOf($ObjectNode.ChildNodes) -ne $TestNodes.IndexOf($TestNode)) { + $Violates = "The node $Name is not in order" + } else { $ChildList = $ObjectNode.GetChildNode($Name) } + } + else { $Violates = "The node $Name does not exist" } + } + elseif ($ObjectNode.ChildNodes.Count -eq 1) { $ChildList = $ObjectNode.ChildNodes[0] } + elseif ($Ordered) { + $NodeIndex = $TestNodes.IndexOf($TestNode) + if ($NodeIndex -ge $ObjectNode.ChildNodes.Count) { + $Violates = "Expected at least $($TestNodes.Count) (ordered) nodes" + } else { $ChildList = $ObjectNode.ChildNodes[$NodeIndex] } + } + else { $ChildList = $ObjectNode.ChildNodes } + + if (($Out = $Result.Check($Violates, (-not $Violates))) -eq $false) { return } else { $Out } + if ($Violates) { return } - if ($Violates -or $Elaborate) { - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = -not $Violates - Issue = if ($Violates) { $Violates } else { 'All the child nodes are valid'} + if ($ChildList -is [PSNode]) { # There is only one child node to match + [Result]::Failed = $false + TestNode -ObjectNode $ChildList -SchemaNode $AssertNode -CaseSensitive $CaseSensitive + if (-not [Result]::Failed) { $null = $MatchedNames.Add($ChildList.Name) } + } + elseif ($ChildList) { # There are multiple child nodes to match + $Result.Collect() + $Failed = -not $MatchAll + foreach ($ChildNode in $ChildList) { + if ($MatchedNames.Contains($ChildNode.Name)) { continue } + [Result]::Failed = $false + TestNode -ObjectNode $ChildNode -SchemaNode $AssertNode -CaseSensitive $CaseSensitive + if (-not [Result]::Failed -xor $MatchAll) { $Failed = $MatchAll } + if (-not [Result]::Failed) { $null = $MatchedNames.Add($ChildNode.Name) } } - $Output.PSTypeNames.Insert(0, 'TestResult') - if ($Violates) { $RefInvalidNode.Value = $Output } - if (-not $ValidateOnly -or $Elaborate) { <# Write-Output #> $Output } + [Result]::Failed = $Failed + $Result.Complete($failed) } } } process { + [Result]::Initialize($ValidateOnly, $Elaborate, ($DebugPreference -in 'Stop', 'Continue', 'Inquire')) # This cmdlet can only be invoked once in a single pipeline $ObjectNode = [PSNode]::ParseInput($InputObject, $MaxDepth) - $Script:UniqueCollections = @{} - $Invalid = $Null - $TestParams = @{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Elaborate = $Elaborate - ValidateOnly = $ValidateOnly - RefInvalidNode = [Ref]$Invalid - } - TestNode @TestParams - if ($ValidateOnly) { -not $Invalid } + TestNode $ObjectNode $SchemaNode + if ($ValidateOnly) { -not [Result]::Failed } } - diff --git a/Tests/Compare-ObjectGraph.Tests.ps1 b/Tests/Compare-ObjectGraph.Tests.ps1 index dd4ad1d..7a9a90e 100644 --- a/Tests/Compare-ObjectGraph.Tests.ps1 +++ b/Tests/Compare-ObjectGraph.Tests.ps1 @@ -2,8 +2,8 @@ using module ..\..\ObjectGraphTools -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Reference', Justification = 'False positive')] -param() +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) Describe 'Compare-ObjectGraph' { @@ -11,6 +11,12 @@ Describe 'Compare-ObjectGraph' { Set-StrictMode -Version Latest + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } + $Reference = @{ Comment = 'Sample ObjectGraph' Data = @( @@ -35,8 +41,8 @@ Describe 'Compare-ObjectGraph' { Context 'Existence Check' { - It 'Help' { - Compare-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS + It 'Help' -Skip:$($null -ne $PrototypePath) { + Test-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS } } @@ -97,6 +103,34 @@ Describe 'Compare-ObjectGraph' { $Result.Reference | Should -Be 'Sample ObjectGraph' } + It 'Single entry' { + $Object = @{ + Comment = 'Sample ObjectGraph' + Data = @( + @{ + Index = 1 + Name = 'One' + Comment = 'First item' + } + ) + } + $Object | Compare-ObjectGraph $Reference -IsEqual | Should -Be $False + $Result = $Object | Compare-ObjectGraph $Reference + $Result.Count | Should -Be 3 + $Result[0].Path | Should -Be 'Data' + $Result[0].Discrepancy | Should -Be 'Size' + $Result[0].InputObject | Should -Be 1 + $Result[0].Reference | Should -Be 3 + $Result[1].Path | Should -Be 'Data[1]' + $Result[1].Discrepancy | Should -Be 'Exists' + $Result[1].InputObject | Should -BeNullOrEmpty + $Result[1].Reference | Should -Not -BeNullOrEmpty + $Result[2].Path | Should -Be 'Data[2]' + $Result[2].Discrepancy | Should -Be 'Exists' + $Result[2].InputObject | Should -BeNullOrEmpty + $Result[2].Reference | Should -Not -BeNullOrEmpty + } + It 'Missing entry' { $Object = @{ Comment = 'Sample ObjectGraph' @@ -123,7 +157,7 @@ Describe 'Compare-ObjectGraph' { $Result[1].Path | Should -Be 'Data[2]' $Result[1].Discrepancy | Should -Be 'Exists' $Result[1].InputObject | Should -BeNullOrEmpty - $Result[1].Reference | Should -Be '[HashTable]' + $Result[1].Reference | Should -Not -BeNullOrEmpty } It 'Extra entry' { @@ -161,8 +195,8 @@ Describe 'Compare-ObjectGraph' { $Result[0].Reference | Should -Be 3 $Result[1].Path | Should -Be 'Data[3]' $Result[1].Discrepancy | Should -Be 'Exists' - $Result[1].InputObject | Should -Be '[HashTable]' - $Result[1].Reference | Should -Be $Null + $Result[1].InputObject | Should -Not -BeNullOrEmpty + $Result[1].Reference | Should -BeNullOrEmpty } It 'Different entry value' { @@ -460,31 +494,31 @@ Describe 'Compare-ObjectGraph' { $Result = $Object | Compare-ObjectGraph $Reference -IsEqual | Should -Be $False $Result = $Object | Compare-ObjectGraph $Reference - $Lines = ($Result | Format-Table -Auto | Out-String -Stream).TrimEnd().where{ $_ } + $Lines = ($Result | Sort-Object Path | Format-Table -Auto | Out-String -Stream).TrimEnd().where{ $_ } $Lines[00] | Should -be 'Path Discrepancy Reference InputObject' $Lines[01] | Should -be '---- ----------- --------- -----------' $Lines[02] | Should -be 'Data[0] Size 3 2' $Lines[03] | Should -be 'Data[0].Comment Exists True False' $Lines[04] | Should -be 'Data[1] Size 3 2' - $Lines[05] | Should -be 'Data[1].Name Value Two Three' + $Lines[05] | Should -be 'Data[1].Comment Exists True False' $Lines[06] | Should -be 'Data[1].Index Value 2 3' - $Lines[07] | Should -be 'Data[1].Comment Exists True False' + $Lines[07] | Should -be 'Data[1].Name Value Two Three' $Lines[08] | Should -be 'Data[2] Size 3 2' - $Lines[09] | Should -be 'Data[2].Name Value Three Two' + $Lines[09] | Should -be 'Data[2].Comment Exists True False' $Lines[10] | Should -be 'Data[2].Index Value 3 2' - $Lines[11] | Should -be 'Data[2].Comment Exists True False' + $Lines[11] | Should -be 'Data[2].Name Value Three Two' $Result = $Object | Compare-ObjectGraph $Reference -PrimaryKey Index -IsEqual | Should -Be $False $Result = $Object | Compare-ObjectGraph $Reference -PrimaryKey Index - $Lines = ($Result | Format-Table -Auto | Out-String -Stream).TrimEnd().where{ $_ } + $Lines = ($Result | Sort-Object Path | Format-Table -Auto | Out-String -Stream).TrimEnd().where{ $_ } $Lines[0] | Should -be 'Path Discrepancy Reference InputObject' $Lines[1] | Should -be '---- ----------- --------- -----------' $Lines[2] | Should -be 'Data[0] Size 3 2' $Lines[3] | Should -be 'Data[0].Comment Exists True False' $Lines[4] | Should -be 'Data[1] Size 3 2' - $Lines[5] | Should -be 'Data[2].Comment Exists True False' + $Lines[5] | Should -be 'Data[1].Comment Exists True False' $Lines[6] | Should -be 'Data[2] Size 3 2' - $Lines[7] | Should -be 'Data[1].Comment Exists True False' + $Lines[7] | Should -be 'Data[2].Comment Exists True False' } } } diff --git a/Tests/ConvertFrom-Expression.Test.ps1 b/Tests/ConvertFrom-Expression.Tests.ps1 similarity index 82% rename from Tests/ConvertFrom-Expression.Test.ps1 rename to Tests/ConvertFrom-Expression.Tests.ps1 index 2b4e749..e1c78a7 100644 --- a/Tests/ConvertFrom-Expression.Test.ps1 +++ b/Tests/ConvertFrom-Expression.Tests.ps1 @@ -1,89 +1,94 @@ -#Requires -Modules @{ModuleName="Pester"; ModuleVersion="5.5.0"} - -using module ..\..\ObjectGraphTools - -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Object', Justification = 'False positive')] -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Expression', Justification = 'False positive')] -param() - -Describe 'ConvertFrom-Expression' { - - BeforeAll { - - # Set-StrictMode -Version Latest - } - - Context 'Existence Check' { - - It 'Help' { - ConvertFrom-Expression -? | Out-String -Stream | Should -Contain SYNOPSIS - } - } - - Context 'Constrained values' { - - BeforeAll { - - $Expression = @' -[PSCustomObject]@{ - first_name = 'John' - last_name = 'Smith' - is_alive = $True - birthday = [DateTime]'Monday, October 7, 1963 10:47:00 PM' - age = 27 - address = [PSCustomObject]@{ - street_address = '21 2nd Street' - city = 'New York' - state = 'NY' - postal_code = '10021-3100' - } - phone_numbers = @( - @{ number = '212 555-1234' }, - @{ number = '646 555-4567' } - ) - children = @('Catherine') - spouse = $Null -} -'@ - } - - It "Restricted mode" { - $Object = $Expression | ConvertFrom-Expression - $Object | Should -BeOfType HashTable - $Object.Keys | Sort-Object | Should -Be 'address', 'age', 'birthday', 'children', 'first_name', 'is_alive', 'last_name', 'phone_numbers', 'spouse' - } - - It "Constrained mode" { - $Object = $Expression | ConvertFrom-Expression -LanguageMode Constrained - $Object | ConvertTo-Expression -LanguageMode Constrained | Should -be @' -[PSCustomObject]@{ - first_name = 'John' - last_name = 'Smith' - is_alive = $True - birthday = [datetime]'1963-10-07T22:47:00.0000000' - age = 27 - address = [PSCustomObject]@{ - street_address = '21 2nd Street' - city = 'New York' - state = 'NY' - postal_code = '10021-3100' - } - phone_numbers = @( - @{ number = '212 555-1234' }, - @{ number = '646 555-4567' } - ) - children = @('Catherine') - spouse = $Null -} -'@ - } - } - - Context 'Issues' { - - It '#90 Add $PSCulture and $PSUICulture to the restricted language mode cmdlets and classes' { - '@{ Culture = $PSCulture }' | ConvertFrom-Expression | ConvertTo-Expression | Should -be "@{ Culture = '$PSCulture' }" - '@{ Culture = $PSUICulture }' | ConvertFrom-Expression | ConvertTo-Expression | Should -be "@{ Culture = '$PSUICulture' }" - } - } -} +#Requires -Modules @{ModuleName="Pester"; ModuleVersion="5.5.0"} + +using module ..\..\ObjectGraphTools + +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) + +Describe 'ConvertFrom-Expression' { + + BeforeAll { + + # Set-StrictMode -Version Latest + + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } + } + + Context 'Existence Check' { + + It 'Help' -Skip:$($null -ne $PrototypePath) { + Test-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS + } + } + + Context 'Constrained values' { + + BeforeAll { + + $Expression = @' +[PSCustomObject]@{ + first_name = 'John' + last_name = 'Smith' + is_alive = $True + birthday = [DateTime]'Monday, October 7, 1963 10:47:00 PM' + age = 27 + address = [PSCustomObject]@{ + street_address = '21 2nd Street' + city = 'New York' + state = 'NY' + postal_code = '10021-3100' + } + phone_numbers = @( + @{ number = '212 555-1234' }, + @{ number = '646 555-4567' } + ) + children = @('Catherine') + spouse = $Null +} +'@ + } + + It "Restricted mode" { + $Object = $Expression | ConvertFrom-Expression + $Object | Should -BeOfType HashTable + $Object.Keys | Sort-Object | Should -Be 'address', 'age', 'birthday', 'children', 'first_name', 'is_alive', 'last_name', 'phone_numbers', 'spouse' + } + + It "Constrained mode" { + $Object = $Expression | ConvertFrom-Expression -LanguageMode Constrained + $Object | ConvertTo-Expression -LanguageMode Constrained | Should -be @' +[PSCustomObject]@{ + first_name = 'John' + last_name = 'Smith' + is_alive = $True + birthday = [datetime]'1963-10-07T22:47:00.0000000' + age = 27 + address = [PSCustomObject]@{ + street_address = '21 2nd Street' + city = 'New York' + state = 'NY' + postal_code = '10021-3100' + } + phone_numbers = @( + @{ number = '212 555-1234' }, + @{ number = '646 555-4567' } + ) + children = @('Catherine') + spouse = $Null +} +'@ + } + } + + Context 'Issues' { + + It '#90 Add $PSCulture and $PSUICulture to the restricted language mode cmdlets and classes' { + '@{ Culture = $PSCulture }' | ConvertFrom-Expression | ConvertTo-Expression | Should -be "@{ Culture = '$PSCulture' }" + '@{ Culture = $PSUICulture }' | ConvertFrom-Expression | ConvertTo-Expression | Should -be "@{ Culture = '$PSUICulture' }" + } + } +} diff --git a/Tests/ConvertTo-Expression.Tests.ps1 b/Tests/ConvertTo-Expression.Tests.ps1 index 242d1b7..a3b9dac 100644 --- a/Tests/ConvertTo-Expression.Tests.ps1 +++ b/Tests/ConvertTo-Expression.Tests.ps1 @@ -3,15 +3,20 @@ using module ..\..\ObjectGraphTools [Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) -param() - -Describe 'Test-Object' { +Describe 'ConvertTo-Expression' { BeforeAll { Set-StrictMode -Version Latest + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } + $Person = [PSCustomObject]@{ FirstName = 'John' LastName = 'Smith' @@ -1295,6 +1300,31 @@ Describe 'Test-Object' { $Person | Test-Object $Schema -ValidateOnly | Should -BeTrue $Person | Test-Object $Schema | Should -BeNullOrEmpty } + } + Context 'Github issues' { + + It "#97 RuntimeTypes don't properly ConvertTo-Expression" { + @{ '@Type' = [Int] } | ConvertTo-Expression | Should -be "@{ '@Type' = 'int' }" + @{ '@Type' = [Int] } | ConvertTo-Expression -LanguageMode Constrained | Should -be "@{ '@Type' = [Type]'int' }" + } + + It '#116 Use comma operator , for (embedded) empty arrays' { + ,@(,@()) | ConvertTo-Expression | Should -be @' +@( + ,@() +) +'@ + ,@(,@('Test')) | ConvertTo-Expression | Should -be @' +@( + ,@('Test') +) +'@ + ConvertTo-Expression @(,@()) -Expand 0 | Should -be '@(,@())' + ,@(,@()) | ConvertTo-Expression -Expand 0 | Should -be '@(,@())' + ,@(,@('Test')) | ConvertTo-Expression -Expand 0 | Should -be "@(,@('Test'))" + ,@(,[System.Collections.Generic.List[Object]]'Test') | ConvertTo-Expression -Expand 0 -LanguageMode Full | + Should -be "[Array]@(,[System.Collections.Generic.List[System.Object]]@([string]'Test'))" + } } } \ No newline at end of file diff --git a/Tests/Copy-ObjectGraph.Tests.ps1 b/Tests/Copy-ObjectGraph.Tests.ps1 index ddabc7b..23ebc5a 100644 --- a/Tests/Copy-ObjectGraph.Tests.ps1 +++ b/Tests/Copy-ObjectGraph.Tests.ps1 @@ -2,14 +2,21 @@ using module ..\..\ObjectGraphTools -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Object', Justification = 'False positive')] -param() +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) Describe 'Copy-ObjectGraph' { BeforeAll { + Set-StrictMode -Version Latest + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } + $Object = @{ String = 'Hello World' Array = @( @@ -24,11 +31,12 @@ Describe 'Copy-ObjectGraph' { Context 'Existence Check' { - It 'Help' { - Copy-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS + It 'Help' -Skip:$($null -ne $PrototypePath) { + Test-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS } } + Context 'Copy' { It 'Default' { diff --git a/Tests/Get-ChildNode.Tests.ps1 b/Tests/Get-ChildNode.Tests.ps1 index 361722f..35cc5ae 100644 --- a/Tests/Get-ChildNode.Tests.ps1 +++ b/Tests/Get-ChildNode.Tests.ps1 @@ -2,8 +2,8 @@ using module ..\..\ObjectGraphTools -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Object', Justification = 'False positive')] -param() +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) Describe 'Get-ChildNode' { @@ -11,6 +11,12 @@ Describe 'Get-ChildNode' { Set-StrictMode -Version Latest + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } + $Object = @{ Comment = 'Sample ObjectGraph' Data = @( @@ -35,11 +41,12 @@ Describe 'Get-ChildNode' { Context 'Existence Check' { - It 'Help' { - Get-Node -? | Out-String -Stream | Should -Contain SYNOPSIS + It 'Help' -Skip:$($null -ne $PrototypePath) { + Test-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS } } + Context 'Basic selection' { it 'All child nodes' { diff --git a/Tests/Get-Node.Tests.ps1 b/Tests/Get-Node.Tests.ps1 index ce20ae9..78d277e 100644 --- a/Tests/Get-Node.Tests.ps1 +++ b/Tests/Get-Node.Tests.ps1 @@ -2,10 +2,8 @@ using module ..\..\ObjectGraphTools -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Object', Justification = 'False positive')] -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'ObjectGraph', Justification = 'False positive')] -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Nodes', Justification = 'False positive')] -param() +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) Describe 'Get-Node' { @@ -13,6 +11,12 @@ Describe 'Get-Node' { Set-StrictMode -Version Latest + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } + $Object = @{ Comment = 'Sample ObjectGraph' Data = @( @@ -37,8 +41,8 @@ Describe 'Get-Node' { Context 'Existence Check' { - It 'Help' { - Get-Node -? | Out-String -Stream | Should -Contain SYNOPSIS + It 'Help' -Skip:$($null -ne $PrototypePath) { + Test-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS } } @@ -138,6 +142,31 @@ Describe 'Get-Node' { } + Context 'Offspring' { + + BeforeAll { + $ObjectGraph = @{ Item = @{ Item = @{ Item = 123 } } } + } + + it 'Get first descendant nodes' { + $Node = $ObjectGraph | Get-Node ~Item + $Node.Depth | Should -Be 1 + $Node.Path | Should -Be Item + } + + it 'Get all offspring nodes' { + $Node = $ObjectGraph | Get-Node ~~Item + $Node.Count | Should -Be 3 + $Node.Depth | Should -Be 1, 2, 3 + } + + it 'Get last descendant leaf node' { + $Node = $ObjectGraph | Get-Node ~Item=* + $Node.Depth | Should -Be 3 + $Node.Path | Should -Be Item.Item.Item + } + } + Context 'Unique' { BeforeAll { @@ -153,6 +182,16 @@ Describe 'Get-Node' { } } + Context 'Escape' { + + it 'Wildcard' { + + @{ a = 'a' } | Get-Node a=* | Should -not -BeNullOrEmpty + @{ a = 'a' } | Get-Node a='`*' | Should -BeNullOrEmpty + @{ a = '*' } | Get-Node a='`*' | Should -not -BeNullOrEmpty + } + } + Context 'Change value' { BeforeAll { diff --git a/Tests/Import-ObjectGraph.Tests.ps1 b/Tests/Import-ObjectGraph.Tests.ps1 index 0e9b6fe..7a15be0 100644 --- a/Tests/Import-ObjectGraph.Tests.ps1 +++ b/Tests/Import-ObjectGraph.Tests.ps1 @@ -2,18 +2,20 @@ using module ..\..\ObjectGraphTools -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Object', Justification = 'False positive')] -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Expression', Justification = 'False positive')] -param() - -# $PesterPreference = [PesterConfiguration]::Default -# $PesterPreference.Should.ErrorAction = 'Stop' +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) Describe 'Import-ObjectGraph' { BeforeAll { - # Set-StrictMode -Version Latest + Set-StrictMode -Version Latest + + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } $PS1File = Join-Path $Env:Temp 'ObjectGraph.ps1' $PSD1File = Join-Path $Env:Temp 'ObjectGraph.psd1' @@ -46,8 +48,8 @@ Describe 'Import-ObjectGraph' { Context 'Existence Check' { - It 'Help' { - Import-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS + It 'Help' -Skip:$($null -ne $PrototypePath) { + Test-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS } } diff --git a/Tests/Merge-ObjectGraph.Tests.ps1 b/Tests/Merge-ObjectGraph.Tests.ps1 index 10fb58b..8157367 100644 --- a/Tests/Merge-ObjectGraph.Tests.ps1 +++ b/Tests/Merge-ObjectGraph.Tests.ps1 @@ -2,20 +2,30 @@ using module ..\..\ObjectGraphTools +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) + Describe 'Merge-ObjectGraph' { BeforeAll { Set-StrictMode -Version Latest - } + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } + } + Context 'Existence Check' { - It 'Help' { - Merge-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS + It 'Help' -Skip:$($null -ne $PrototypePath) { + Test-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS } } + Context 'Merge' { It 'Scalar Array' { diff --git a/Tests/PSNode.Tests.ps1 b/Tests/PSNode.Tests.ps1 index ca14240..6d07fb0 100644 --- a/Tests/PSNode.Tests.ps1 +++ b/Tests/PSNode.Tests.ps1 @@ -558,4 +558,12 @@ Describe 'PSNode' { ($HashTable | Get-Node).CaseMatters | Should -BeTrue } } + + # Context 'Github issues' { + + # it '#96 .Get_Value() return more than just the Value' { # See: https://stackoverflow.com/a/38212718/1701026 + # $a = @{ a = 'a', 'b' } | Get-Node + # $a.GetChildNode('a').Get_Value() | ConvertTo-Json -Compress | Should -be '["a","b"]' + # } + # } } diff --git a/Tests/Sort-ObjectGraph.Tests.ps1 b/Tests/Sort-ObjectGraph.Tests.ps1 index 55c9d8e..24a19b2 100644 --- a/Tests/Sort-ObjectGraph.Tests.ps1 +++ b/Tests/Sort-ObjectGraph.Tests.ps1 @@ -2,20 +2,26 @@ using module ..\..\ObjectGraphTools -[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', 'Object', Justification = 'False positive')] -param() +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) Describe 'Sort-ObjectGraph' { BeforeAll { Set-StrictMode -Version Latest + + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } } Context 'Existence Check' { - It 'Help' { - Sort-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS + It 'Help' -Skip:$($null -ne $PrototypePath) { + Test-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS } } diff --git a/Tests/Test-ObjectGraph.Tests.ps1 b/Tests/Test-ObjectGraph.Tests.ps1 index 64a496b..1f9e87f 100644 --- a/Tests/Test-ObjectGraph.Tests.ps1 +++ b/Tests/Test-ObjectGraph.Tests.ps1 @@ -3,15 +3,20 @@ using module ..\..\ObjectGraphTools [Diagnostics.CodeAnalysis.SuppressMessage('PSUseDeclaredVarsMoreThanAssignments', '', Justification = 'False positive')] +param([alias("Path")]$PrototypePath) -param() - -Describe 'Test-Object' { +Describe 'Test-ObjectGraph' { BeforeAll { Set-StrictMode -Version Latest + if ($PrototypePath) { + $Content = Get-Content -Raw -LiteralPath $PrototypePath + $CommandName = [io.path]::GetFileNameWithoutExtension($PSCommandPath) -replace '\.Tests$' + Mock $CommandName ([ScriptBlock]::Create($Content)) + } + $Person = [PSCustomObject]@{ FirstName = 'John' LastName = 'Smith' @@ -36,15 +41,15 @@ Describe 'Test-Object' { Context 'Existence Check' { - It 'Help' { - Test-Object -? | Out-String -Stream | Should -Contain SYNOPSIS + It 'Help' -Skip:$($null -ne $PrototypePath) { + Test-ObjectGraph -? | Out-String -Stream | Should -Contain SYNOPSIS } } Context 'Type (as string)' { It 'Report' { - $True | Test-Object @{ '@Type' = 'Bool' } | Should -BeNullOrEmpty + $True | Test-ObjectGraph @{ '@Type' = 'Bool' } | Should -BeNullOrEmpty $Report = 123 | Test-ObjectGraph @{ '@Type' = 'Bool' } -Elaborate $Report.ObjectNode.Value | Should -Be 123 $Report.Valid | Should -Be $False @@ -52,42 +57,42 @@ Describe 'Test-Object' { } It 'Bool' { - $True | Test-Object @{ '@Type' = 'Bool' } -ValidateOnly | Should -BeTrue - 'True' | Test-Object @{ '@Type' = 'Bool' } -ValidateOnly | Should -BeFalse + $True | Test-ObjectGraph @{ '@Type' = 'Bool' } -ValidateOnly | Should -BeTrue + 'True' | Test-ObjectGraph @{ '@Type' = 'Bool' } -ValidateOnly | Should -BeFalse } It 'Int' { - 123 | Test-Object @{ '@Type' = 'Int' } -ValidateOnly | Should -BeTrue - '123' | Test-Object @{ '@Type' = 'Int' } -ValidateOnly | Should -BeFalse + 123 | Test-ObjectGraph @{ '@Type' = 'Int' } -ValidateOnly | Should -BeTrue + '123' | Test-ObjectGraph @{ '@Type' = 'Int' } -ValidateOnly | Should -BeFalse } It 'String' { - 'True' | Test-Object @{ '@Type' = 'String' } -ValidateOnly | Should -BeTrue - '123' | Test-Object @{ '@Type' = 'String' } -ValidateOnly | Should -BeTrue - 123 | Test-Object @{ '@Type' = 'String' } -ValidateOnly | Should -BeFalse + 'True' | Test-ObjectGraph @{ '@Type' = 'String' } -ValidateOnly | Should -BeTrue + '123' | Test-ObjectGraph @{ '@Type' = 'String' } -ValidateOnly | Should -BeTrue + 123 | Test-ObjectGraph @{ '@Type' = 'String' } -ValidateOnly | Should -BeFalse } It 'Array' { - ,@(1,2) | Test-Object @{ '@Type' = 'Array'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - ,@(1) | Test-Object @{ '@Type' = 'Array'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - ,@() | Test-Object @{ '@Type' = 'Array' } -ValidateOnly | Should -BeTrue - 'Test' | Test-Object @{ '@Type' = 'Array'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - @{ a = 1 } | Test-Object @{ '@Type' = 'Array'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + ,@(1,2) | Test-ObjectGraph @{ '@Type' = 'Array'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + ,@(1) | Test-ObjectGraph @{ '@Type' = 'Array'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + ,@() | Test-ObjectGraph @{ '@Type' = 'Array' } -ValidateOnly | Should -BeTrue + 'Test' | Test-ObjectGraph @{ '@Type' = 'Array'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = 'Array'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse } It 'HashTable' { - @{ a = 1 } | Test-Object @{ '@Type' = 'HashTable'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - @{} | Test-Object @{ '@Type' = 'HashTable' } -ValidateOnly | Should -BeTrue - 'Test' | Test-Object @{ '@Type' = 'HashTable'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - ,@(1, 2) | Test-Object @{ '@Type' = 'HashTable'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = 'HashTable'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + @{} | Test-ObjectGraph @{ '@Type' = 'HashTable' } -ValidateOnly | Should -BeTrue + 'Test' | Test-ObjectGraph @{ '@Type' = 'HashTable'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + ,@(1, 2) | Test-ObjectGraph @{ '@Type' = 'HashTable'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse } } Context 'Type (as type)' { It 'Report' { - $True | Test-Object @{ '@Type' = [Bool] } | Should -BeNullOrEmpty - 123 | Test-Object @{ '@Type' = [Bool] } -Elaborate | ForEach-Object { + $True | Test-ObjectGraph @{ '@Type' = [Bool] } | Should -BeNullOrEmpty + 123 | Test-ObjectGraph @{ '@Type' = [Bool] } -Elaborate | ForEach-Object { $_.ObjectNode.Value | Should -Be 123 $_.Valid | Should -Be $False $_.Issue | Should -Not -BeNullOrEmpty @@ -95,50 +100,50 @@ Describe 'Test-Object' { } It 'Bool' { - $True | Test-Object @{ '@Type' = [Bool] } -ValidateOnly | Should -BeTrue - 'True' | Test-Object @{ '@Type' = [Bool] } -ValidateOnly | Should -BeFalse + $True | Test-ObjectGraph @{ '@Type' = [Bool] } -ValidateOnly | Should -BeTrue + 'True' | Test-ObjectGraph @{ '@Type' = [Bool] } -ValidateOnly | Should -BeFalse } It 'Int' { - 123 | Test-Object @{ '@Type' = [Int] } -ValidateOnly | Should -BeTrue - '123' | Test-Object @{ '@Type' = [Int] } -ValidateOnly | Should -BeFalse + 123 | Test-ObjectGraph @{ '@Type' = [Int] } -ValidateOnly | Should -BeTrue + '123' | Test-ObjectGraph @{ '@Type' = [Int] } -ValidateOnly | Should -BeFalse } It 'String' { - 'True' | Test-Object @{ '@Type' = [String] } -ValidateOnly | Should -BeTrue - '123' | Test-Object @{ '@Type' = [String] } -ValidateOnly | Should -BeTrue - 123 | Test-Object @{ '@Type' = [String] } -ValidateOnly | Should -BeFalse + 'True' | Test-ObjectGraph @{ '@Type' = [String] } -ValidateOnly | Should -BeTrue + '123' | Test-ObjectGraph @{ '@Type' = [String] } -ValidateOnly | Should -BeTrue + 123 | Test-ObjectGraph @{ '@Type' = [String] } -ValidateOnly | Should -BeFalse } It 'Array' { - ,@(1,2) | Test-Object @{ '@Type' = [Array]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - ,@(1) | Test-Object @{ '@Type' = [Array]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - ,@() | Test-Object @{ '@Type' = [Array] } -ValidateOnly | Should -BeTrue - 'Test' | Test-Object @{ '@Type' = [Array]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - @{ a = 1 } | Test-Object @{ '@Type' = [Array]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + ,@(1,2) | Test-ObjectGraph @{ '@Type' = [Array]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + ,@(1) | Test-ObjectGraph @{ '@Type' = [Array]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + ,@() | Test-ObjectGraph @{ '@Type' = [Array] } -ValidateOnly | Should -BeTrue + 'Test' | Test-ObjectGraph @{ '@Type' = [Array]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = [Array]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse } It 'HashTable' { - @{ a = 1 } | Test-Object @{ '@Type' = [HashTable]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - @{} | Test-Object @{ '@Type' = [HashTable] } -ValidateOnly | Should -BeTrue - 'Test' | Test-Object @{ '@Type' = [HashTable]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - ,@(1, 2) | Test-Object @{ '@Type' = [HashTable]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = [HashTable]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + @{} | Test-ObjectGraph @{ '@Type' = [HashTable] } -ValidateOnly | Should -BeTrue + 'Test' | Test-ObjectGraph @{ '@Type' = [HashTable]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + ,@(1, 2) | Test-ObjectGraph @{ '@Type' = [HashTable]; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse } } Context 'Not Type (as string)' { It 'Bool' { - 'True' | Test-Object @{ '@NotType' = 'Bool' } -ValidateOnly | Should -BeTrue - $True | Test-Object @{ '@NotType' = 'Bool' } -ValidateOnly | Should -BeFalse + 'True' | Test-ObjectGraph @{ '@NotType' = 'Bool' } -ValidateOnly | Should -BeTrue + $True | Test-ObjectGraph @{ '@NotType' = 'Bool' } -ValidateOnly | Should -BeFalse } } Context 'Not Type (as type)' { It 'Not Bool' { - 'True' | Test-Object @{ '@NotType' = [Bool] } -ValidateOnly | Should -BeTrue - $True | Test-Object @{ '@NotType' = [Bool] } -ValidateOnly | Should -BeFalse + 'True' | Test-ObjectGraph @{ '@NotType' = [Bool] } -ValidateOnly | Should -BeTrue + $True | Test-ObjectGraph @{ '@NotType' = [Bool] } -ValidateOnly | Should -BeFalse } } @@ -146,64 +151,64 @@ Describe 'Test-Object' { Context 'Multiple types' { It 'Any of type' { - '123' | Test-Object @{ '@Type' = [Int], [String] } -ValidateOnly | Should -BeTrue - $true | Test-Object @{ '@Type' = [Int], [String] } -ValidateOnly | Should -BeFalse + '123' | Test-ObjectGraph @{ '@Type' = [Int], [String] } -ValidateOnly | Should -BeTrue + $true | Test-ObjectGraph @{ '@Type' = [Int], [String] } -ValidateOnly | Should -BeFalse } It 'None of type' { - '123' | Test-Object @{ '@NotType' = [Int], [String] } -ValidateOnly | Should -BeFalse - $true | Test-Object @{ '@NotType' = [Int], [String] } -ValidateOnly | Should -BeTrue + '123' | Test-ObjectGraph @{ '@NotType' = [Int], [String] } -ValidateOnly | Should -BeFalse + $true | Test-ObjectGraph @{ '@NotType' = [Int], [String] } -ValidateOnly | Should -BeTrue } } Context 'No type' { It '$Null' { - @{ Test = '123' } | Test-Object @{ Test = @{ '@Type' = [Int], [String] } } -ValidateOnly | Should -BeTrue - @{ Test = $Null } | Test-Object @{ Test = @{ '@Type' = [Int], [String] } } -ValidateOnly | Should -BeFalse - @{ Test = $Null } | Test-Object @{ Test = @{ '@Type' = [Int], [String], [Void] } } -ValidateOnly | Should -BeTrue - @{ Test = $Null } | Test-Object @{ Test = @{ '@Type' = [Int], [String], 'Null' } } -ValidateOnly | Should -BeTrue - @{ Test = $Null } | Test-Object @{ Test = @{ '@Type' = [Int], [String], $Null } } -ValidateOnly | Should -BeTrue - @{ Test = '123' } | Test-Object @{ Test = @{ '@Type' = [Int], [Void] } } -ValidateOnly | Should -BeFalse + @{ Test = '123' } | Test-ObjectGraph @{ Test = @{ '@Type' = [Int], [String] } } -ValidateOnly | Should -BeTrue + @{ Test = $Null } | Test-ObjectGraph @{ Test = @{ '@Type' = [Int], [String] } } -ValidateOnly | Should -BeFalse + @{ Test = $Null } | Test-ObjectGraph @{ Test = @{ '@Type' = [Int], [String], [Void] } } -ValidateOnly | Should -BeTrue + @{ Test = $Null } | Test-ObjectGraph @{ Test = @{ '@Type' = [Int], [String], 'Null' } } -ValidateOnly | Should -BeTrue + @{ Test = $Null } | Test-ObjectGraph @{ Test = @{ '@Type' = [Int], [String], $Null } } -ValidateOnly | Should -BeTrue + @{ Test = '123' } | Test-ObjectGraph @{ Test = @{ '@Type' = [Int], [Void] } } -ValidateOnly | Should -BeFalse } } Context 'PSNode Type' { It 'Value' { - 'String' | Test-Object @{ '@Type' = 'PSNode' } -ValidateOnly | Should -BeTrue - 'String' | Test-Object @{ '@Type' = 'PSLeafNode' } -ValidateOnly | Should -BeTrue - 'String' | Test-Object @{ '@Type' = 'PSCollectionNode' } -ValidateOnly | Should -BeFalse - 'String' | Test-Object @{ '@Type' = 'PSListNode' } -ValidateOnly | Should -BeFalse - 'String' | Test-Object @{ '@Type' = 'PSMapNode' } -ValidateOnly | Should -BeFalse - 'String' | Test-Object @{ '@Type' = 'PSObjectNode' } -ValidateOnly | Should -BeFalse + 'String' | Test-ObjectGraph @{ '@Type' = 'PSNode' } -ValidateOnly | Should -BeTrue + 'String' | Test-ObjectGraph @{ '@Type' = 'PSLeafNode' } -ValidateOnly | Should -BeTrue + 'String' | Test-ObjectGraph @{ '@Type' = 'PSCollectionNode' } -ValidateOnly | Should -BeFalse + 'String' | Test-ObjectGraph @{ '@Type' = 'PSListNode' } -ValidateOnly | Should -BeFalse + 'String' | Test-ObjectGraph @{ '@Type' = 'PSMapNode' } -ValidateOnly | Should -BeFalse + 'String' | Test-ObjectGraph @{ '@Type' = 'PSObjectNode' } -ValidateOnly | Should -BeFalse } It 'Array' { - ,@(1,2,3) | Test-Object @{ '@Type' = 'PSNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - ,@(1,2,3) | Test-Object @{ '@Type' = 'PSLeafNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - ,@(1,2,3) | Test-Object @{ '@Type' = 'PSCollectionNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - ,@(1,2,3) | Test-Object @{ '@Type' = 'PSListNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - ,@(1,2,3) | Test-Object @{ '@Type' = 'PSMapNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - ,@(1,2,3) | Test-Object @{ '@Type' = 'PSObjectNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + ,@(1,2,3) | Test-ObjectGraph @{ '@Type' = 'PSNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + ,@(1,2,3) | Test-ObjectGraph @{ '@Type' = 'PSLeafNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + ,@(1,2,3) | Test-ObjectGraph @{ '@Type' = 'PSCollectionNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + ,@(1,2,3) | Test-ObjectGraph @{ '@Type' = 'PSListNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + ,@(1,2,3) | Test-ObjectGraph @{ '@Type' = 'PSMapNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + ,@(1,2,3) | Test-ObjectGraph @{ '@Type' = 'PSObjectNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse } It 'Dictionary' { - @{ a = 1 } | Test-Object @{ '@Type' = 'PSNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - @{ a = 1 } | Test-Object @{ '@Type' = 'PSLeafNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - @{ a = 1 } | Test-Object @{ '@Type' = 'PSCollectionNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - @{ a = 1 } | Test-Object @{ '@Type' = 'PSListNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - @{ a = 1 } | Test-Object @{ '@Type' = 'PSMapNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - @{ a = 1 } | Test-Object @{ '@Type' = 'PSObjectNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = 'PSNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = 'PSLeafNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = 'PSCollectionNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = 'PSListNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = 'PSMapNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + @{ a = 1 } | Test-ObjectGraph @{ '@Type' = 'PSObjectNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse } It 'Object' { - $Person | Test-Object @{ '@Type' = 'PSNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - $Person | Test-Object @{ '@Type' = 'PSLeafNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - $Person | Test-Object @{ '@Type' = 'PSCollectionNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - $Person | Test-Object @{ '@Type' = 'PSListNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse - $Person | Test-Object @{ '@Type' = 'PSMapNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - $Person | Test-Object @{ '@Type' = 'PSObjectNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph @{ '@Type' = 'PSNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph @{ '@Type' = 'PSLeafNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + $Person | Test-ObjectGraph @{ '@Type' = 'PSCollectionNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph @{ '@Type' = 'PSListNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeFalse + $Person | Test-ObjectGraph @{ '@Type' = 'PSMapNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph @{ '@Type' = 'PSObjectNode'; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue } } @@ -211,148 +216,148 @@ Describe 'Test-Object' { BeforeAll { $Schema = @{ Word = @{ '@Match' = '^\w+$' } } } - it 'No list' { @{} | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it '$Null' { @{ Word = $null } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Test' { @{ Word = 'Test' } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'Empty' { @{ Word = @() } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'Single' { @{ Word = @('a') } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'Multiple' { @{ Word = @('a', 'b') } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'No match a b' { @{ Word = @('a b') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'No match a, b c' { @{ Word = @('a', 'b c') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'No match a b, c' { @{ Word = @('a b', 'c') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Dictionary' { @{ Word = @{ a = 'b' } } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'IsWord item' { @{ Word = @{ IsWord = 'b' } } | Test-Object $Schema -ValidateOnly | Should -BeTrue } + it 'No list' { @{} | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it '$Null' { @{ Word = $null } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Test' { @{ Word = 'Test' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'Empty' { @{ Word = @() } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'Single' { @{ Word = @('a') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'Multiple' { @{ Word = @('a', 'b') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'No match a b' { @{ Word = @('a b') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'No match a, b c' { @{ Word = @('a', 'b c') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'No match a b, c' { @{ Word = @('a b', 'c') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Dictionary' { @{ Word = @{ a = 'b' } } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'IsWord item' { @{ Word = @{ IsWord = 'b' } } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } } Context 'Compulsory list with unnamed items' { BeforeAll { $Schema = @{ Word = @(@{ '@Match' = '^\w+$' }) } } - it 'No list' { @{} | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it '$Null' { @{ Word = $null } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Test' { @{ Word = 'Test' } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Empty' { @{ Word = @() } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'Single' { @{ Word = @('a') } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'Multiple' { @{ Word = @('a', 'b') } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'No match a b' { @{ Word = @('a b') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'No match a, b c' { @{ Word = @('a', 'b c') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'No match a b, c' { @{ Word = @('a b', 'c') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Dictionary' { @{ Word = @{ a = 'b' } } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'IsWord item' { @{ Word = @{ IsWord = 'b' } } | Test-Object $Schema -ValidateOnly | Should -BeFalse } + it 'No list' { @{} | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it '$Null' { @{ Word = $null } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Test' { @{ Word = 'Test' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Empty' { @{ Word = @() } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'Single' { @{ Word = @('a') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'Multiple' { @{ Word = @('a', 'b') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'No match a b' { @{ Word = @('a b') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'No match a, b c' { @{ Word = @('a', 'b c') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'No match a b, c' { @{ Word = @('a b', 'c') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Dictionary' { @{ Word = @{ a = 'b' } } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'IsWord item' { @{ Word = @{ IsWord = 'b' } } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } } Context 'Compulsory list with named items' { BeforeAll { $Schema = @{ Word = @{ '@Type' = [PSListNode]; IsWord = @{ '@Match' = '^\w+$' } } } } - it 'No list' { @{} | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it '$Null' { @{ Word = $null } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Test' { @{ Word = 'Test' } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Empty' { @{ Word = @() } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'Single' { @{ Word = @('a') } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'Multiple' { @{ Word = @('a', 'b') } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'No match a b' { @{ Word = @('a b') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'No match a, b c' { @{ Word = @('a', 'b c') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'No match a b, c' { @{ Word = @('a b', 'c') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Dictionary' { @{ Word = @{ a = 'b' } } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'IsWord item' { @{ Word = @{ IsWord = 'b' } } | Test-Object $Schema -ValidateOnly | Should -BeFalse } + it 'No list' { @{} | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it '$Null' { @{ Word = $null } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Test' { @{ Word = 'Test' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Empty' { @{ Word = @() } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'Single' { @{ Word = @('a') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'Multiple' { @{ Word = @('a', 'b') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'No match a b' { @{ Word = @('a b') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'No match a, b c' { @{ Word = @('a', 'b c') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'No match a b, c' { @{ Word = @('a b', 'c') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Dictionary' { @{ Word = @{ a = 'b' } } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'IsWord item' { @{ Word = @{ IsWord = 'b' } } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } } Context 'Forced list with named items' { BeforeAll { $Schema = @{ Word = @{ '@Type' = [PSListNode]; '@Required' = $true; IsWord = @{ '@Match' = '^\w+$' } } } } - it 'No list' { @{} | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it '$Null' { @{ Word = $null } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Test' { @{ Word = 'Test' } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Empty' { @{ Word = @() } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'Single' { @{ Word = @('a') } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'Multiple' { @{ Word = @('a', 'b') } | Test-Object $Schema -ValidateOnly | Should -BeTrue } - it 'No match a b' { @{ Word = @('a b') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'No match a, b c' { @{ Word = @('a', 'b c') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'No match a b, c' { @{ Word = @('a b', 'c') } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'Dictionary' { @{ Word = @{ a = 'b' } } | Test-Object $Schema -ValidateOnly | Should -BeFalse } - it 'IsWord item' { @{ Word = @{ IsWord = 'b' } } | Test-Object $Schema -ValidateOnly | Should -BeFalse } + it 'No list' { @{} | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it '$Null' { @{ Word = $null } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Test' { @{ Word = 'Test' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Empty' { @{ Word = @() } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'Single' { @{ Word = @('a') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'Multiple' { @{ Word = @('a', 'b') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue } + it 'No match a b' { @{ Word = @('a b') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'No match a, b c' { @{ Word = @('a', 'b c') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'No match a b, c' { @{ Word = @('a b', 'c') } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'Dictionary' { @{ Word = @{ a = 'b' } } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } + it 'IsWord item' { @{ Word = @{ IsWord = 'b' } } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } } Context 'Multiple integer Limits' { It 'Maximum int' { - ,@(17, 18, 19) | Test-Object @{ '@Maximum' = 42 } -ValidateOnly | Should -BeTrue - ,@(40, 41, 42) | Test-Object @{ '@Maximum' = 42 } -ValidateOnly | Should -BeTrue - ,@(17, 42, 99) | Test-Object @{ '@Maximum' = 42 } -ValidateOnly | Should -BeFalse + ,@(17, 18, 19) | Test-ObjectGraph @{ '@Maximum' = 42 } -ValidateOnly | Should -BeTrue + ,@(40, 41, 42) | Test-ObjectGraph @{ '@Maximum' = 42 } -ValidateOnly | Should -BeTrue + ,@(17, 42, 99) | Test-ObjectGraph @{ '@Maximum' = 42 } -ValidateOnly | Should -BeFalse } It 'Exclusive maximum int' { - ,@(17, 18, 19) | Test-Object @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeTrue - ,@(40, 41, 42) | Test-Object @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeFalse - ,@(17, 42, 99) | Test-Object @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeFalse + ,@(17, 18, 19) | Test-ObjectGraph @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeTrue + ,@(40, 41, 42) | Test-ObjectGraph @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeFalse + ,@(17, 42, 99) | Test-ObjectGraph @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeFalse } It 'Minimum int' { - ,@(97, 98, 99) | Test-Object @{ '@Minimum' = 42 } -ValidateOnly | Should -BeTrue - ,@(42, 43, 44) | Test-Object @{ '@Minimum' = 42 } -ValidateOnly | Should -BeTrue - ,@(17, 42, 99) | Test-Object @{ '@Minimum' = 42 } -ValidateOnly | Should -BeFalse + ,@(97, 98, 99) | Test-ObjectGraph @{ '@Minimum' = 42 } -ValidateOnly | Should -BeTrue + ,@(42, 43, 44) | Test-ObjectGraph @{ '@Minimum' = 42 } -ValidateOnly | Should -BeTrue + ,@(17, 42, 99) | Test-ObjectGraph @{ '@Minimum' = 42 } -ValidateOnly | Should -BeFalse } It 'Exclusive minimum int' { - ,@(97, 98, 99) | Test-Object @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeTrue - ,@(42, 43, 44) | Test-Object @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeFalse - ,@(17, 42, 99) | Test-Object @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeFalse + ,@(97, 98, 99) | Test-ObjectGraph @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeTrue + ,@(42, 43, 44) | Test-ObjectGraph @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeFalse + ,@(17, 42, 99) | Test-ObjectGraph @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeFalse } } Context 'String limits' { It 'Maximum string' { - 'Alpha' | Test-Object @{ '@Maximum' = 'Beta' } -ValidateOnly | Should -BeTrue - 'Beta' | Test-Object @{ '@Maximum' = 'Beta' } -ValidateOnly | Should -BeTrue - 'Gamma' | Test-Object @{ '@Maximum' = 'Beta' } -ValidateOnly | Should -BeFalse + 'Alpha' | Test-ObjectGraph @{ '@Maximum' = 'Beta' } -ValidateOnly | Should -BeTrue + 'Beta' | Test-ObjectGraph @{ '@Maximum' = 'Beta' } -ValidateOnly | Should -BeTrue + 'Gamma' | Test-ObjectGraph @{ '@Maximum' = 'Beta' } -ValidateOnly | Should -BeFalse } It 'Exclusive maximum string' { - 'Alpha' | Test-Object @{ '@ExclusiveMaximum' = 'Beta' } -ValidateOnly | Should -BeTrue - 'Beta' | Test-Object @{ '@ExclusiveMaximum' = 'Beta' } -ValidateOnly | Should -BeFalse - 'Gamma' | Test-Object @{ '@ExclusiveMaximum' = 'Beta' } -ValidateOnly | Should -BeFalse + 'Alpha' | Test-ObjectGraph @{ '@ExclusiveMaximum' = 'Beta' } -ValidateOnly | Should -BeTrue + 'Beta' | Test-ObjectGraph @{ '@ExclusiveMaximum' = 'Beta' } -ValidateOnly | Should -BeFalse + 'Gamma' | Test-ObjectGraph @{ '@ExclusiveMaximum' = 'Beta' } -ValidateOnly | Should -BeFalse } It 'Minimum string' { - 'Gamma' | Test-Object @{ '@Minimum' = 'Beta' } -ValidateOnly | Should -BeTrue - 'Beta' | Test-Object @{ '@Minimum' = 'Beta' } -ValidateOnly | Should -BeTrue - 'Alpha' | Test-Object @{ '@Minimum' = 'Beta' } -ValidateOnly | Should -BeFalse + 'Gamma' | Test-ObjectGraph @{ '@Minimum' = 'Beta' } -ValidateOnly | Should -BeTrue + 'Beta' | Test-ObjectGraph @{ '@Minimum' = 'Beta' } -ValidateOnly | Should -BeTrue + 'Alpha' | Test-ObjectGraph @{ '@Minimum' = 'Beta' } -ValidateOnly | Should -BeFalse } It 'Exclusive minimum string' { - 'Gamma' | Test-Object @{ '@ExclusiveMinimum' = 'Beta' } -ValidateOnly | Should -BeTrue - 'Beta' | Test-Object @{ '@ExclusiveMinimum' = 'Beta' } -ValidateOnly | Should -BeFalse - 'Alpha' | Test-Object @{ '@ExclusiveMinimum' = 'Beta' } -ValidateOnly | Should -BeFalse + 'Gamma' | Test-ObjectGraph @{ '@ExclusiveMinimum' = 'Beta' } -ValidateOnly | Should -BeTrue + 'Beta' | Test-ObjectGraph @{ '@ExclusiveMinimum' = 'Beta' } -ValidateOnly | Should -BeFalse + 'Alpha' | Test-ObjectGraph @{ '@ExclusiveMinimum' = 'Beta' } -ValidateOnly | Should -BeFalse } } Context 'Integer Limits' { It 'Maximum int' { - 17 | Test-Object @{ '@Maximum' = 42 } -ValidateOnly | Should -BeTrue - 42 | Test-Object @{ '@Maximum' = 42 } -ValidateOnly | Should -BeTrue - 99 | Test-Object @{ '@Maximum' = 42 } -ValidateOnly | Should -BeFalse + 17 | Test-ObjectGraph @{ '@Maximum' = 42 } -ValidateOnly | Should -BeTrue + 42 | Test-ObjectGraph @{ '@Maximum' = 42 } -ValidateOnly | Should -BeTrue + 99 | Test-ObjectGraph @{ '@Maximum' = 42 } -ValidateOnly | Should -BeFalse } It 'Exclusive maximum int' { - 17 | Test-Object @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeTrue - 42 | Test-Object @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeFalse - 99 | Test-Object @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeFalse + 17 | Test-ObjectGraph @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeTrue + 42 | Test-ObjectGraph @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeFalse + 99 | Test-ObjectGraph @{ '@ExclusiveMaximum' = 42 } -ValidateOnly | Should -BeFalse } It 'Minimum int' { - 99 | Test-Object @{ '@Minimum' = 42 } -ValidateOnly | Should -BeTrue - 42 | Test-Object @{ '@Minimum' = 42 } -ValidateOnly | Should -BeTrue - 17 | Test-Object @{ '@Minimum' = 42 } -ValidateOnly | Should -BeFalse + 99 | Test-ObjectGraph @{ '@Minimum' = 42 } -ValidateOnly | Should -BeTrue + 42 | Test-ObjectGraph @{ '@Minimum' = 42 } -ValidateOnly | Should -BeTrue + 17 | Test-ObjectGraph @{ '@Minimum' = 42 } -ValidateOnly | Should -BeFalse } It 'Exclusive minimum int' { - 99 | Test-Object @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeTrue - 42 | Test-Object @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeFalse - 17 | Test-Object @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeFalse + 99 | Test-ObjectGraph @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeTrue + 42 | Test-ObjectGraph @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeFalse + 17 | Test-ObjectGraph @{ '@ExclusiveMinimum' = 42 } -ValidateOnly | Should -BeFalse } } @@ -360,127 +365,127 @@ Describe 'Test-Object' { Context 'Case sensitive string limits' { It 'Maximum string' { - 'alpha' | Test-Object @{ '@CaseSensitive' = $true; '@Maximum' = 'Alpha' } -ValidateOnly | Should -BeTrue - 'Alpha' | Test-Object @{ '@CaseSensitive' = $true; '@Maximum' = 'Alpha' } -ValidateOnly | Should -BeTrue - 'Alpha' | Test-Object @{ '@CaseSensitive' = $true; '@Maximum' = 'alpha' } -ValidateOnly | Should -BeFalse + 'alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Maximum' = 'Alpha' } -ValidateOnly | Should -BeTrue + 'Alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Maximum' = 'Alpha' } -ValidateOnly | Should -BeTrue + 'Alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Maximum' = 'alpha' } -ValidateOnly | Should -BeFalse } It 'Maximum exclusive string' { - 'alpha' | Test-Object @{ '@CaseSensitive' = $true; '@ExclusiveMaximum' = 'Alpha' } -ValidateOnly | Should -BeTrue - 'Alpha' | Test-Object @{ '@CaseSensitive' = $true; '@ExclusiveMaximum' = 'Alpha' } -ValidateOnly | Should -BeFalse - 'Alpha' | Test-Object @{ '@CaseSensitive' = $true; '@ExclusiveMaximum' = 'alpha' } -ValidateOnly | Should -BeFalse + 'alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@ExclusiveMaximum' = 'Alpha' } -ValidateOnly | Should -BeTrue + 'Alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@ExclusiveMaximum' = 'Alpha' } -ValidateOnly | Should -BeFalse + 'Alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@ExclusiveMaximum' = 'alpha' } -ValidateOnly | Should -BeFalse } It 'Minimum string' { - 'alpha' | Test-Object @{ '@CaseSensitive' = $true; '@Minimum' = 'Alpha' } -ValidateOnly | Should -BeFalse - 'Alpha' | Test-Object @{ '@CaseSensitive' = $true; '@Minimum' = 'Alpha' } -ValidateOnly | Should -BeTrue - 'Alpha' | Test-Object @{ '@CaseSensitive' = $true; '@Minimum' = 'alpha' } -ValidateOnly | Should -BeTrue + 'alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Minimum' = 'Alpha' } -ValidateOnly | Should -BeFalse + 'Alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Minimum' = 'Alpha' } -ValidateOnly | Should -BeTrue + 'Alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Minimum' = 'alpha' } -ValidateOnly | Should -BeTrue } It 'Minimum exclusive string' { - 'alpha' | Test-Object @{ '@CaseSensitive' = $true; '@ExclusiveMinimum' = 'Alpha' } -ValidateOnly | Should -BeFalse - 'Alpha' | Test-Object @{ '@CaseSensitive' = $true; '@ExclusiveMinimum' = 'Alpha' } -ValidateOnly | Should -BeFalse - 'Alpha' | Test-Object @{ '@CaseSensitive' = $true; '@ExclusiveMinimum' = 'alpha' } -ValidateOnly | Should -BeTrue + 'alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@ExclusiveMinimum' = 'Alpha' } -ValidateOnly | Should -BeFalse + 'Alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@ExclusiveMinimum' = 'Alpha' } -ValidateOnly | Should -BeFalse + 'Alpha' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@ExclusiveMinimum' = 'alpha' } -ValidateOnly | Should -BeTrue } } Context 'String length limits' { It 'Minimum length' { - 'abc' | Test-Object @{ '@MinimumLength' = 4 } -ValidateOnly | Should -BeFalse - 'abcd' | Test-Object @{ '@MinimumLength' = 4 } -ValidateOnly | Should -BeTrue + 'abc' | Test-ObjectGraph @{ '@MinimumLength' = 4 } -ValidateOnly | Should -BeFalse + 'abcd' | Test-ObjectGraph @{ '@MinimumLength' = 4 } -ValidateOnly | Should -BeTrue } It 'Length' { - 'ab' | Test-Object @{ '@Length' = 3 } -ValidateOnly | Should -BeFalse - 'abc' | Test-Object @{ '@Length' = 3 } -ValidateOnly | Should -BeTrue - 'abcd' | Test-Object @{ '@Length' = 3 } -ValidateOnly | Should -BeFalse + 'ab' | Test-ObjectGraph @{ '@Length' = 3 } -ValidateOnly | Should -BeFalse + 'abc' | Test-ObjectGraph @{ '@Length' = 3 } -ValidateOnly | Should -BeTrue + 'abcd' | Test-ObjectGraph @{ '@Length' = 3 } -ValidateOnly | Should -BeFalse } It 'Maximum length' { - 'abc' | Test-Object @{ '@MaximumLength' = 3 } -ValidateOnly | Should -BeTrue - 'abcd' | Test-Object @{ '@MaximumLength' = 3 } -ValidateOnly | Should -BeFalse + 'abc' | Test-ObjectGraph @{ '@MaximumLength' = 3 } -ValidateOnly | Should -BeTrue + 'abcd' | Test-ObjectGraph @{ '@MaximumLength' = 3 } -ValidateOnly | Should -BeFalse } It 'Multiple values length' { - ,@('12', '345', '6789') | Test-Object @{ '@MinimumLength' = 2 } -ValidateOnly | Should -BeTrue - ,@('12', '345', '6789') | Test-Object @{ '@MinimumLength' = 3 } -ValidateOnly | Should -BeFalse - ,@('123', '456', '789') | Test-Object @{ '@Length' = 3 } -ValidateOnly | Should -BeTrue - ,@('12', '345', '6789') | Test-Object @{ '@Length' = 3 } -ValidateOnly | Should -BeFalse - ,@('12', '345', '6789') | Test-Object @{ '@MaximumLength' = 4 } -ValidateOnly | Should -BeTrue - ,@('12', '345', '6789') | Test-Object @{ '@MaximumLength' = 3 } -ValidateOnly | Should -BeFalse + ,@('12', '345', '6789') | Test-ObjectGraph @{ '@MinimumLength' = 2 } -ValidateOnly | Should -BeTrue + ,@('12', '345', '6789') | Test-ObjectGraph @{ '@MinimumLength' = 3 } -ValidateOnly | Should -BeFalse + ,@('123', '456', '789') | Test-ObjectGraph @{ '@Length' = 3 } -ValidateOnly | Should -BeTrue + ,@('12', '345', '6789') | Test-ObjectGraph @{ '@Length' = 3 } -ValidateOnly | Should -BeFalse + ,@('12', '345', '6789') | Test-ObjectGraph @{ '@MaximumLength' = 4 } -ValidateOnly | Should -BeTrue + ,@('12', '345', '6789') | Test-ObjectGraph @{ '@MaximumLength' = 3 } -ValidateOnly | Should -BeFalse } } Context 'Patterns' { It 'Like' { - 'test' | Test-Object @{ '@Like' = 'T*t' } -ValidateOnly | Should -BeTrue - 'test' | Test-Object @{ '@Like' = 'T?t' } -ValidateOnly | Should -BeFalse + 'test' | Test-ObjectGraph @{ '@Like' = 'T*t' } -ValidateOnly | Should -BeTrue + 'test' | Test-ObjectGraph @{ '@Like' = 'T?t' } -ValidateOnly | Should -BeFalse } It 'Not like' { - 'test' | Test-Object @{ '@NotLike' = 'T*t' } -ValidateOnly | Should -BeFalse - 'test' | Test-Object @{ '@NotLike' = 'T?t' } -ValidateOnly | Should -BeTrue + 'test' | Test-ObjectGraph @{ '@NotLike' = 'T*t' } -ValidateOnly | Should -BeFalse + 'test' | Test-ObjectGraph @{ '@NotLike' = 'T?t' } -ValidateOnly | Should -BeTrue } It 'Match' { - 'test' | Test-Object @{ '@Match' = 'T.*t' } -ValidateOnly | Should -BeTrue - 'test' | Test-Object @{ '@Match' = 'T.t' } -ValidateOnly | Should -BeFalse + 'test' | Test-ObjectGraph @{ '@Match' = 'T.*t' } -ValidateOnly | Should -BeTrue + 'test' | Test-ObjectGraph @{ '@Match' = 'T.t' } -ValidateOnly | Should -BeFalse } It 'Not match' { - 'test' | Test-Object @{ '@NotMatch' = 'T.*t' } -ValidateOnly | Should -BeFalse - 'test' | Test-Object @{ '@NotMatch' = 'T.t' } -ValidateOnly | Should -BeTrue + 'test' | Test-ObjectGraph @{ '@NotMatch' = 'T.*t' } -ValidateOnly | Should -BeFalse + 'test' | Test-ObjectGraph @{ '@NotMatch' = 'T.t' } -ValidateOnly | Should -BeTrue } } Context 'Case sensitive patterns' { It 'Like' { - 'Test' | Test-Object @{ '@CaseSensitive' = $true; '@Like' = 'T*t' } -ValidateOnly | Should -BeTrue - 'test' | Test-Object @{ '@CaseSensitive' = $true; '@Like' = 'T*t' } -ValidateOnly | Should -BeFalse + 'Test' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Like' = 'T*t' } -ValidateOnly | Should -BeTrue + 'test' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Like' = 'T*t' } -ValidateOnly | Should -BeFalse } It 'Not like' { - 'Test' | Test-Object @{ '@CaseSensitive' = $true; '@notLike' = 'T*t' } -ValidateOnly | Should -BeFalse - 'test' | Test-Object @{ '@CaseSensitive' = $true; '@notLike' = 'T*t' } -ValidateOnly | Should -BeTrue + 'Test' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@notLike' = 'T*t' } -ValidateOnly | Should -BeFalse + 'test' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@notLike' = 'T*t' } -ValidateOnly | Should -BeTrue } It 'Match' { - 'Test' | Test-Object @{ '@CaseSensitive' = $true; '@Match' = 'T..t' } -ValidateOnly | Should -BeTrue - 'test' | Test-Object @{ '@CaseSensitive' = $true; '@Match' = 'T..t' } -ValidateOnly | Should -BeFalse + 'Test' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Match' = 'T..t' } -ValidateOnly | Should -BeTrue + 'test' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@Match' = 'T..t' } -ValidateOnly | Should -BeFalse } It 'Not match' { - 'Test' | Test-Object @{ '@CaseSensitive' = $true; '@notMatch' = 'T..t' } -ValidateOnly | Should -BeFalse - 'test' | Test-Object @{ '@CaseSensitive' = $true; '@notMatch' = 'T..t' } -ValidateOnly | Should -BeTrue + 'Test' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@notMatch' = 'T..t' } -ValidateOnly | Should -BeFalse + 'test' | Test-ObjectGraph @{ '@CaseSensitive' = $true; '@notMatch' = 'T..t' } -ValidateOnly | Should -BeTrue } } Context 'Multiple patterns' { It 'Like' { - 'Two' | Test-Object @{ '@Like' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeTrue - 'Four' | Test-Object @{ '@Like' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeFalse + 'Two' | Test-ObjectGraph @{ '@Like' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeTrue + 'Four' | Test-ObjectGraph @{ '@Like' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeFalse } It 'Not like' { - 'Two' | Test-Object @{ '@NotLike' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeFalse - 'Four' | Test-Object @{ '@NotLike' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeTrue + 'Two' | Test-ObjectGraph @{ '@NotLike' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeFalse + 'Four' | Test-ObjectGraph @{ '@NotLike' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeTrue } It 'Match' { - 'Two' | Test-Object @{ '@Match' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeTrue - 'Four' | Test-Object @{ '@Match' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeFalse + 'Two' | Test-ObjectGraph @{ '@Match' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeTrue + 'Four' | Test-ObjectGraph @{ '@Match' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeFalse } It 'Not match' { - 'Two' | Test-Object @{ '@NotMatch' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeFalse - 'Four' | Test-Object @{ '@NotMatch' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeTrue + 'Two' | Test-ObjectGraph @{ '@NotMatch' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeFalse + 'Four' | Test-ObjectGraph @{ '@NotMatch' = 'One', 'Two', 'Three' } -ValidateOnly | Should -BeTrue } } @@ -488,18 +493,18 @@ Describe 'Test-Object' { Context 'No (child) Node' { It "[V] Leaf node" { - 'Test' | Test-Object @{} -ValidateOnly | Should -BeTrue - 'Test' | Test-Object @{} | Should -BeNullOrEmpty + 'Test' | Test-ObjectGraph @{} -ValidateOnly | Should -BeTrue + 'Test' | Test-ObjectGraph @{} | Should -BeNullOrEmpty } It "[V] Empty list node" { - ,@() | Test-Object @{} -ValidateOnly | Should -BeTrue - ,@() | Test-Object @{} | Should -BeNullOrEmpty + ,@() | Test-ObjectGraph @{} -ValidateOnly | Should -BeTrue + ,@() | Test-ObjectGraph @{} | Should -BeNullOrEmpty } It "[X] Simple list node" { - ,@('Test') | Test-Object @{} -ValidateOnly | Should -BeFalse - $Result = ,@('Test') | Test-Object @{} + ,@('Test') | Test-ObjectGraph @{} -ValidateOnly | Should -BeFalse + $Result = ,@('Test') | Test-ObjectGraph @{} $Result | Should -BeOfType PSCustomObject $Result.Valid | Should -BeFalse $Result.ObjectNode.Path | Should -BeNullOrEmpty @@ -507,18 +512,18 @@ Describe 'Test-Object' { } It "[X] Simple list node" { - ,@('a', 'b') | Test-Object @{} -ValidateOnly | Should -BeFalse - ,@('a', 'b') | Test-Object @{}| Should -not -BeNullOrEmpty + ,@('a', 'b') | Test-ObjectGraph @{} -ValidateOnly | Should -BeFalse + ,@('a', 'b') | Test-ObjectGraph @{}| Should -not -BeNullOrEmpty } It "[V] Empty map node" { - @{} | Test-Object @{} -ValidateOnly | Should -BeTrue - @{} | Test-Object @{} | Should -BeNullOrEmpty + @{} | Test-ObjectGraph @{} -ValidateOnly | Should -BeTrue + @{} | Test-ObjectGraph @{} | Should -BeNullOrEmpty } It "[X] Simple map node" { - @{ a = 1 } | Test-Object @{} -ValidateOnly | Should -BeFalse - $Result = @{ a = 1 } | Test-Object @{} + @{ a = 1 } | Test-ObjectGraph @{} -ValidateOnly | Should -BeFalse + $Result = @{ a = 1 } | Test-ObjectGraph @{} $Result | Should -BeOfType PSCustomObject $Result.Valid | Should -BeFalse $Result.ObjectNode.Path | Should -BeNullOrEmpty @@ -526,8 +531,8 @@ Describe 'Test-Object' { } It "[X] Complex object" { - $Person | Test-Object @{} -ValidateOnly | Should -BeFalse - $Result = $Person | Test-Object @{} + $Person | Test-ObjectGraph @{} -ValidateOnly | Should -BeFalse + $Result = $Person | Test-ObjectGraph @{} $Result | Should -BeOfType PSCustomObject $Result.Valid | Should -BeFalse $Result.ObjectNode.Path | Should -BeNullOrEmpty @@ -536,8 +541,8 @@ Describe 'Test-Object' { It "[X] Complex map node" { - $Person | Test-Object @{ '@type' = [PSMapNode] } -ValidateOnly | Should -BeFalse - $Result = $Person | Test-Object @{ '@type' = [PSMapNode] } + $Person | Test-ObjectGraph @{ '@type' = [PSMapNode] } -ValidateOnly | Should -BeFalse + $Result = $Person | Test-ObjectGraph @{ '@type' = [PSMapNode] } $Result | Should -BeOfType PSCustomObject $Result.Valid | Should -BeFalse $Result.ObjectNode.Path | Should -BeNullOrEmpty @@ -548,52 +553,52 @@ Describe 'Test-Object' { Context 'Any (child) Node' { It "[V] Leaf node" { - 'Test' | Test-Object @() -ValidateOnly | Should -BeTrue - 'Test' | Test-Object @() | Should -BeNullOrEmpty + 'Test' | Test-ObjectGraph @() -ValidateOnly | Should -BeTrue + 'Test' | Test-ObjectGraph @() | Should -BeNullOrEmpty } It "[V] Empty list node" { - ,@() | Test-Object @() -ValidateOnly | Should -BeTrue - ,@() | Test-Object @() | Should -BeNullOrEmpty + ,@() | Test-ObjectGraph @() -ValidateOnly | Should -BeTrue + ,@() | Test-ObjectGraph @() | Should -BeNullOrEmpty } It "[V] Simple list node" { - ,@('Test') | Test-Object @() -ValidateOnly | Should -BeTrue - ,@('Test') | Test-Object @() | Should -BeNullOrEmpty + ,@('Test') | Test-ObjectGraph @() -ValidateOnly | Should -BeTrue + ,@('Test') | Test-ObjectGraph @() | Should -BeNullOrEmpty } It "[V] Simple list node" { - ,@('a', 'b') | Test-Object @() -ValidateOnly | Should -BeTrue - ,@('a', 'b') | Test-Object @() | Should -BeNullOrEmpty + ,@('a', 'b') | Test-ObjectGraph @() -ValidateOnly | Should -BeTrue + ,@('a', 'b') | Test-ObjectGraph @() | Should -BeNullOrEmpty } It "[V] Empty map node" { - @{} | Test-Object @() -ValidateOnly | Should -BeTrue - @{} | Test-Object @() | Should -BeNullOrEmpty + @{} | Test-ObjectGraph @() -ValidateOnly | Should -BeTrue + @{} | Test-ObjectGraph @() | Should -BeNullOrEmpty } It "[V] Simple map node" { - @{ a = 1 } | Test-Object @() -ValidateOnly | Should -BeTrue - @{ a = 1 } | Test-Object @() | Should -BeNullOrEmpty + @{ a = 1 } | Test-ObjectGraph @() -ValidateOnly | Should -BeTrue + @{ a = 1 } | Test-ObjectGraph @() | Should -BeNullOrEmpty } It "[V] Complex object" { - $Person | Test-Object @() -ValidateOnly | Should -BeTrue - $Person | Test-Object @() | Should -BeNullOrEmpty + $Person | Test-ObjectGraph @() -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph @() | Should -BeNullOrEmpty } It "[V] Complex map node" { - $Person | Test-Object @{ '@type' = [PSMapNode]; '*' = @() } -ValidateOnly | Should -BeFalse - $Person | Test-Object @{ '@type' = [PSMapNode]; '@AllowExtraNodes' = $true } | Should -BeNullOrEmpty + $Person | Test-ObjectGraph @{ '@type' = [PSMapNode]; '*' = @() } -ValidateOnly | Should -BeFalse + $Person | Test-ObjectGraph @{ '@type' = [PSMapNode]; '@AllowExtraNodes' = $true } | Should -BeNullOrEmpty } } Context 'Map nodes' { It "[V] Single name" { - $Person | Test-Object @{ Age = @{ '@Type' = 'Int' }; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue - $Person | Test-Object @{ Age = @{ '@Type' = 'Int' }; '@AllowExtraNodes' = $true } | Should -BeNullOrEmpty + $Person | Test-ObjectGraph @{ Age = @{ '@Type' = 'Int' }; '@AllowExtraNodes' = $true } -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph @{ Age = @{ '@Type' = 'Int' }; '@AllowExtraNodes' = $true } | Should -BeNullOrEmpty } It "[V] Multiple names" { @@ -605,8 +610,8 @@ Describe 'Test-Object' { Age = @{ '@Type' = 'Int' } '@AllowExtraNodes' = $true } - $Person | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Person | Test-Object $Schema | Should -BeNullOrEmpty + $Person | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[V] All (root) names defined" { @@ -621,8 +626,8 @@ Describe 'Test-Object' { Children = @{ '@Type' = 'PSListNode', $Null; '@AllowExtraNodes' = $true } Spouse = @{ '@Type' = 'String', $Null } } - $Person | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Person | Test-Object $Schema | Should -BeNullOrEmpty + $Person | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } } @@ -682,8 +687,8 @@ Describe 'Test-Object' { } } } - $Data | Test-Object $Schema -ValidateOnly | Should -BeFalse - $Data | Test-Object $Schema | Should -not -BeNullOrEmpty + $Data | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + $Data | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty } It "[V] One specific node and allowing extra nodes" { @@ -698,8 +703,8 @@ Describe 'Test-Object' { } } } - $Data | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data | Test-Object $Schema | Should -BeNullOrEmpty + $Data | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[V] One specific node and allowing extra nodes" { @@ -718,8 +723,8 @@ Describe 'Test-Object' { } } } - $Data | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data | Test-Object $Schema | Should -BeNullOrEmpty + $Data | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[V] Single node that match a test definition" { @@ -737,8 +742,8 @@ Describe 'Test-Object' { } } } - $Data | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data | Test-Object $Schema | Should -BeNullOrEmpty + $Data | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[X] Multiple nodes that match at least one single test definition" { @@ -757,8 +762,8 @@ Describe 'Test-Object' { } } } - $Data | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data | Test-Object $Schema | Should -BeNullOrEmpty + $Data | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[V] Multiple nodes that match a single test definition" { @@ -776,8 +781,8 @@ Describe 'Test-Object' { } } } - $Data | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data | Test-Object $Schema | Should -BeNullOrEmpty + $Data | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[V] Multiple nodes that match a single test definition" { @@ -802,8 +807,8 @@ Describe 'Test-Object' { } } } - $Data | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data | Test-Object $Schema | Should -BeNullOrEmpty + $Data | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[V] Multiple nodes that match a single test definition" { @@ -821,8 +826,8 @@ Describe 'Test-Object' { } } } - $Data2 | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data2 | Test-Object $Schema | Should -BeNullOrEmpty + $Data2 | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data2 | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[V] Match at least one node in a single test definition" { @@ -841,8 +846,8 @@ Describe 'Test-Object' { } } } - $Data2 | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data2 | Test-Object $Schema | Should -BeNullOrEmpty + $Data2 | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data2 | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[V] Duplicate nodes that match a single test definition" { @@ -862,8 +867,8 @@ Describe 'Test-Object' { } } } - $Data2 | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data2 | Test-Object $Schema | Should -BeNullOrEmpty + $Data2 | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data2 | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[X] Duplicate nodes that match a single test definition" { @@ -882,8 +887,8 @@ Describe 'Test-Object' { } } } - $Data2 | Test-Object $Schema -ValidateOnly | Should -BeFalse - $Data2 | Test-Object $Schema | Should -not -BeNullOrEmpty + $Data2 | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + $Data2 | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty } It "[V] Multiple nodes that match equal test definitions" { @@ -911,8 +916,8 @@ Describe 'Test-Object' { } } } - $Data2 | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data2 | Test-Object $Schema | Should -BeNullOrEmpty + $Data2 | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data2 | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } It "[V] Full assert test" { @@ -942,8 +947,8 @@ Describe 'Test-Object' { Children = @(@{ '@Type' = 'String', $Null }) Spouse = @{ '@Type' = 'String', $Null } } - $Person | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Person | Test-Object $Schema | Should -BeNullOrEmpty + $Person | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } } @@ -954,10 +959,10 @@ Describe 'Test-Object' { Data = @{ '@Type' = 'String' } } - @{ Id = 42 } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ Id = 42; Data = 'Test' } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ Data = 'Test' } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ Id = 42; Test = 'Test' } | Test-Object $Schema -ValidateOnly | Should -BeFalse + @{ Id = 42 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ Id = 42; Data = 'Test' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ Data = 'Test' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ Id = 42; Test = 'Test' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } Context 'Required nodes formula' { @@ -967,10 +972,10 @@ Describe 'Test-Object' { a = @{ '@Type' = 'Int' } '@RequiredNodes' = 'not a' } - @{ a = 1 } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ a = 1 } | Test-Object $Schema | Should -not -BeNullOrEmpty - @{ a = '1' } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ a = '1' } | Test-Object $Schema | Should -not -BeNullOrEmpty + @{ a = 1 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ a = 1 } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty + @{ a = '1' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ a = '1' } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty } it 'And' { @@ -979,14 +984,14 @@ Describe 'Test-Object' { b = @{ '@Type' = 'Int' } '@RequiredNodes' = 'a and b' } - @{ a = 1 } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ a = 1 } | Test-Object $Schema | Should -not -BeNullOrEmpty - @{ b = 2 } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ b = 2 } | Test-Object $Schema | Should -not -BeNullOrEmpty - @{ a = 1; b = 2 } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ a = 1; b = 2 } | Test-Object $Schema | Should -BeNullOrEmpty - @{ a = 1; b = '2' } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ a = 1; b = '2' } | Test-Object $Schema | Should -not -BeNullOrEmpty + @{ a = 1 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ a = 1 } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty + @{ b = 2 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ b = 2 } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty + @{ a = 1; b = 2 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ a = 1; b = 2 } | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + @{ a = 1; b = '2' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ a = 1; b = '2' } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty } it 'Or' { @@ -995,14 +1000,14 @@ Describe 'Test-Object' { b = @{ '@Type' = 'Int' } '@RequiredNodes' = 'a or b' } - @{ a = 1 } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ a = 1 } | Test-Object $Schema | Should -BeNullOrEmpty - @{ b = 2 } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ b = 2 } | Test-Object $Schema | Should -BeNullOrEmpty - @{ a = 1; b = 2 } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ a = 1; b = 2 } | Test-Object $Schema | Should -BeNullOrEmpty - @{ a = 1; b = '2' } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ a = 1; b = '2' } | Test-Object $Schema | Should -not -BeNullOrEmpty + @{ a = 1 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ a = 1 } | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + @{ b = 2 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ b = 2 } | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + @{ a = 1; b = 2 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ a = 1; b = 2 } | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + @{ a = 1; b = '2' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ a = 1; b = '2' } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty } it 'Xor' { @@ -1011,14 +1016,14 @@ Describe 'Test-Object' { b = @{ '@Type' = 'Int' } '@RequiredNodes' = 'a xor b' } - @{ a = 1 } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ a = 1 } | Test-Object $Schema | Should -BeNullOrEmpty - @{ b = 2 } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ b = 2 } | Test-Object $Schema | Should -BeNullOrEmpty - @{ a = 1; b = 2 } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ a = 1; b = 2 } | Test-Object $Schema | Should -not -BeNullOrEmpty - @{ a = 1; b = '2' } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ a = 1; b = '2' } | Test-Object $Schema | Should -not -BeNullOrEmpty + @{ a = 1 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ a = 1 } | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + @{ b = 2 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ b = 2 } | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + @{ a = 1; b = 2 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ a = 1; b = 2 } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty + @{ a = 1; b = '2' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ a = 1; b = '2' } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty } it 'Rambling Xor' { @@ -1027,14 +1032,14 @@ Describe 'Test-Object' { b = @{ '@Type' = 'Int' } '@RequiredNodes' = '(a and not b) or (not a and b)' } - @{ a = 1 } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ a = 1 } | Test-Object $Schema | Should -BeNullOrEmpty - @{ b = 2 } | Test-Object $Schema -ValidateOnly | Should -BeTrue - @{ b = 2 } | Test-Object $Schema | Should -BeNullOrEmpty - @{ a = 1; b = 2 } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ a = 1; b = 2 } | Test-Object $Schema | Should -not -BeNullOrEmpty - @{ a = 1; b = '2' } | Test-Object $Schema -ValidateOnly | Should -BeFalse - @{ a = 1; b = '2' } | Test-Object $Schema | Should -not -BeNullOrEmpty + @{ a = 1 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ a = 1 } | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + @{ b = 2 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + @{ b = 2 } | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + @{ a = 1; b = 2 } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ a = 1; b = 2 } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty + @{ a = 1; b = '2' } | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + @{ a = 1; b = '2' } | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty } } @@ -1045,10 +1050,10 @@ Describe 'Test-Object' { '@Type' = [PSListNode] Children = @{'@Type' = [String]; '@Unique' = $true } } - ,@('a', 'b', 'c') | Test-Object $Schema -ValidateOnly | Should -BeTrue - ,@('a', 'b', 'c') | Test-Object $Schema | Should -BeNullOrEmpty - ,@('a', 'b', 'a') | Test-Object $Schema -ValidateOnly | Should -BeFalse - ,@('a', 'b', 'a') | Test-Object $Schema | Should -not -BeNullOrEmpty + ,@('a', 'b', 'c') | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + ,@('a', 'b', 'c') | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + ,@('a', 'b', 'a') | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + ,@('a', 'b', 'a') | Test-ObjectGraph $Schema | Should -not -BeNullOrEmpty } it 'Unique collection' { @@ -1060,12 +1065,12 @@ Describe 'Test-Object' { EnabledServers = 'NL1234', 'NL1235', 'NL1236' DisabledServers = 'NL1237', 'NL1238', 'NL1239' } - $Servers | Test-Object $Schema -ValidateOnly | Should -BeTrue + $Servers | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue $Servers = @{ EnabledServers = 'NL1234', 'NL1235', 'NL1236' DisabledServers = 'NL1237', 'NL1235', 'NL1239' } - $Servers | Test-Object $Schema -ValidateOnly | Should -BeFalse + $Servers | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse $Results = $Servers | Test-ObjectGraph $Schema $Results[0].Issue | Should -BeLike '*equal to the node*' } @@ -1097,7 +1102,7 @@ Describe 'Test-Object' { } ) } - $Books | Test-Object $Schema -ValidateOnly | Should -BeTrue + $Books | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue $Books = @{ BookStore = @( @{ @@ -1120,7 +1125,7 @@ Describe 'Test-Object' { } ) } - $Books | Test-Object $Schema -ValidateOnly | Should -BeFalse + $Books | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse } } @@ -1182,8 +1187,8 @@ Describe 'Test-Object' { } } } - $Data | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Data | Test-Object $Schema | Should -BeNullOrEmpty + $Data | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Data | Test-ObjectGraph $Schema | Should -BeNullOrEmpty } it '[X] Buyer - incorrect LastName' { @@ -1207,8 +1212,8 @@ Describe 'Test-Object' { } } } - $Data | Test-Object $Schema -ValidateOnly | Should -BeFalse - $Result = $Data | Test-Object $Schema + $Data | Test-ObjectGraph $Schema -ValidateOnly | Should -BeFalse + $Result = $Data | Test-ObjectGraph $Schema $Result | Should -not -BeNullOrEmpty $Result.ObjectNode.Path | Should -Contain 'Buyer.LastName' $Result.ObjectNode.Value | Should -Contain 'Do' @@ -1227,7 +1232,7 @@ Describe 'Test-Object' { } } - $Data | Test-Object $RecurseSchema -ValidateOnly | Should -be $true + $Data | Test-ObjectGraph $RecurseSchema -ValidateOnly | Should -be $true } it '[V] Recursive object' -Skip:$($PSVersionTable.PSVersion -lt '6.0') { @@ -1256,9 +1261,12 @@ Describe 'Test-Object' { PSDrive = 'RecursePSDrive' } - Get-Item / | Test-Object $Schema -Depth 5 -ValidateOnly -WarningAction SilentlyContinue | Should -BeTrue - $Result = Get-Item / | Test-Object $Schema -Depth 5 -Elaborate -WarningAction SilentlyContinue - $Result.ObjectNode.Path | Should -Contain 'PSDrive.Provider.Drives[0].Name' + $Warning = & { Get-Item / | Test-ObjectGraph $Schema -Depth 5 -ValidateOnly | Should -BeTrue } 3>&1 + $Warning | Should -BeLike '*reached the maximum depth of 5*' + $Ref = @{ Result = $null } + $Warning = & { $Ref.Result = Get-Item / | Test-ObjectGraph $Schema -Depth 5 -Elaborate } 3>&1 + $Warning | Should -BeLike '*reached the maximum depth of 5*' + $Ref.Result.ObjectNode.Path | Should -Contain 'PSDrive.Provider.Drives[0].Name' } } @@ -1292,9 +1300,229 @@ Describe 'Test-Object' { Children = @(@{ '^Type' = 'String', $Null }) Spouse = @{ '^Type' = 'String', $Null } } - $Person | Test-Object $Schema -ValidateOnly | Should -BeTrue - $Person | Test-Object $Schema | Should -BeNullOrEmpty + $Person | Test-ObjectGraph $Schema -ValidateOnly | Should -BeTrue + $Person | Test-ObjectGraph $Schema | Should -BeNullOrEmpty + } + + } + + #Region Github issues + + Context '#126 [Test-ObjectGraph] Parents of failing item are also included in the output' { + + It 'IncorrectParameterName' { + $data = @{ + NonNodeData = @{ + AzureAD = @{ + IncorrectParameterName = @( + @{ + Param1 = 8 + } + ) + } + } + } + + $schema = @{ + NonNodeData = @{ + '@Type' = 'PSMapNode' + AzureAD = @{ + '@Type' = 'PSMapNode' + } + } + } + + $data | Test-Object $schema -ValidateOnly | Should -BeFalse + $Result = $data | Test-Object $schema + $Result | Should -HaveCount 1 + } + } + + Context '#129 [Test-ObjectGraph] When the schema specifies that a parameter is required and another parameter is not correct, that other parameter is not listed as failed.' { + + BeforeAll { + + } + + It 'DefaultLength = [string]' { + $data = @{ + NonNodeData = @{ + AzureAD = @{ + AuthenticationMethodPolicy = @( + @{ + DefaultLength = 'string' + DoesNotExist = 'string' + DefaultLifetimeInMinutes = 10 + } + ) + } + } + } + + $schema = @{ + NonNodeData = @{ + '@Type' = 'PSMapNode' + AzureAD = @{ + '@Type' = 'PSMapNode' + AuthenticationMethodPolicy = @( + @{ + '@Type' = 'PSMapNode' + DefaultLength = @{ '@Type' = 'Int' } + DefaultLifetimeInMinutes = @{ '@Type' = 'Int' } + Ensure = @{ '@Type' = 'String' } + Id = @{ '@Type' = 'String'; '@Required' = $true } + IncludeTargets = @( + @{ + '@Type' = 'PSMapNode' + Id = @{ '@Type' = 'String' } + TargetType = @{ '@Type' = 'String' } + } + ) + IsUsableOnce = @{ '@Type' = 'Bool' } + MaximumLifetimeInMinutes = @{ '@Type' = 'Int' } + MinimumLifetimeInMinutes = @{ '@Type' = 'Int' } + State = @{ '@Type' = 'String' } + } + ) + } + } + } + + $data | Test-Object $schema -ValidateOnly | Should -BeFalse + $Result = $data | Test-Object $schema + $Result.Count | Should -Be 9 + $Issues = $Result.Issue -Replace '\x1b\[[0-9;]*m' -Replace '[^ \w]' + $Issues | Should -Contain 'The node Id does not exist' + $Issues | Should -Contain 'The node IncludeTargets does not exist' + $Issues | Should -Contain 'The node MaximumLifetimeInMinutes does not exist' + $Issues | Should -Contain 'The node State does not exist' + $Issues | Should -Contain 'The node MinimumLifetimeInMinutes does not exist' + $Issues | Should -Contain 'The node IsUsableOnce does not exist' + $Issues | Should -Contain 'The node string is not of type Int' + $Issues | Should -Contain 'The node Ensure does not exist' + $Issues | Should -Contain 'The following nodes are not accepted DoesNotExist DefaultLength' + } + + It '#129 [V] A FMO application' { + + $Schema = @{ + Company = @{ + '@Type' = 'Array' + '@AllowExtraNodes' = $true + FMO = @{ + Env = @{ '@Type' = 'String'; '@Like' = 'FMO' } + Id = @{ '@Type' = 'Int'; '@Minimum' = 2000 } + } + } + } + + $Data = @{ + Company = @( + @{ Env = 'CMO'; Id = 1234 }, + @{ Env = 'FMO'; Id = 1235 }, + @{ Env = 'FMO'; Id = 2345 } + ) + } + + $data | Test-Object $schema -ValidateOnly | Should -BeTrue + $data | Test-Object $schema | Should -BeNullOrEmpty + } + + It '#129 [X] A FMO application' { + + $Schema = @{ + Company = @{ + '@Type' = 'Array' + '@AllowExtraNodes' = $true + FMO = @{ + Env = @{ '@Type' = 'String'; '@Like' = 'FMO' } + Id = @{ '@Type' = 'Int'; '@Minimum' = 2000 } + } + } + } + + $Data = @{ + Company = @( + @{ Env = 'CMO'; Id = 1234 }, + @{ Env = 'FMO'; Id = 1235 }, + @{ Env = 'XMO'; Id = 2345 } # Env name typo + ) + } + + $data | Test-Object $schema -ValidateOnly | Should -BeFalse + $Result = $data | Test-Object $schema + $Result.Count | Should -Be 5 + $Issues = $Result.Issue -Replace '\x1b\[[0-9;]*m' -Replace '[^ \w]' + $Issues | Should -Contain 'The value CMO is not like FMO' + $Issues | Should -Contain 'The value 1234 is less or equal than 2000' + $Issues | Should -Contain 'The value 1235 is less or equal than 2000' + $Issues | Should -Contain 'The value XMO is not like FMO' + $Issues | Should -Contain 'When extra nodes are allowed the FMO test should pass' + } + + It '#129 [V] A Company wide application' { + + $Schema = @{ + Company = @{ + '@Type' = 'Array' + '@RequiredNodes' = 'CMO or FMO' + CMO = @{ + Env = @{ '@Type' = 'String'; '@Like' = 'CMO' } + Id = @{ '@Type' = 'Int'; '@Maximum' = 1999 } + } + FMO = @{ + Env = @{ '@Type' = 'String'; '@Like' = 'FMO' } + Id = @{ '@Type' = 'Int'; '@Minimum' = 2000 } + } + } + } + + $Data = @{ + Company = @( + @{ Env = 'CMO'; Id = 1234 }, + @{ Env = 'FMO'; Id = 2345 }, + @{ Env = 'FMO'; Id = 3456 } + ) + } + + $data | Test-Object $schema -ValidateOnly | Should -BeTrue + $Result = $data | Test-Object $schema | Should -BeNullOrEmpty + } + + It '#129 [X] A Company wide application' { + + $Schema = @{ + Company = @{ + '@Type' = 'Array' + '@RequiredNodes' = 'CMO or FMO' + CMO = @{ + Env = @{ '@Type' = 'String'; '@Like' = 'CMO' } + Id = @{ '@Type' = 'Int'; '@Maximum' = 1999 } + } + FMO = @{ + Env = @{ '@Type' = 'String'; '@Like' = 'FMO' } + Id = @{ '@Type' = 'Int'; '@Minimum' = 2000 } + } + } + } + + $Data = @{ + Company = @( + @{ Env = 'CMO'; Id = 1234 }, + @{ Env = 'FMO'; Id = 1235 }, # Id should be >= 2000 + @{ Env = 'FMO'; Id = 2345 } + ) + } + + $data | Test-Object $schema -ValidateOnly | Should -BeFalse + $Result = $data | Test-Object $schema + $Result.Count | Should -Be 1 + $Issues = $Result.Issue -Replace '\x1b\[[0-9;]*m' -Replace '[^ \w]' + $Issues | Should -Contain 'The following nodes are not accepted 1' } } + + #EndRegion Github issues + } \ No newline at end of file diff --git a/Tests/Test.Windows&Core.ps1 b/Tests/Test.Windows&Core.ps1 index 66f5695..df51a24 100644 --- a/Tests/Test.Windows&Core.ps1 +++ b/Tests/Test.Windows&Core.ps1 @@ -3,7 +3,7 @@ $Expression = { $Version = $PSVersionTable.PSVersion Import-Module $TestFolder\.. -Force Get-ChildItem -Path $TestFolder -Filter *.Tests.ps1 | - ForEach-Object { + ForEach-Object { $InformationRecord = . $_.FullName *>&1 foreach ($Message in $InformationRecord.MessageData.Message) { if ($Message -match '^\S*\[\+\]') { @@ -12,7 +12,7 @@ $Expression = { } elseif ($Message -match '^\S*\[-\]([^\r\n]*)') { Write-Host -NoNewline "$Version " - Write-Host -ForegroundColor Red "$($_.BaseName) $($Matches[1])" + Write-Host -BackgroundColor Red "$($_.BaseName) $($Matches[1])" } } } diff --git a/WhatsNew.md b/WhatsNew.md index 248cc5f..f87c1f4 100644 --- a/WhatsNew.md +++ b/WhatsNew.md @@ -1,3 +1,30 @@ +## 2025-04-05 0.3.2 + -Fixes + - #96 .Get_Value() return more than just the Value + - #97 RuntimeTypes don't properly ConvertTo-Expression + - #116 Use comma operator , for (embedded) empty arrays + - #119 IncludeUnderlying switch to Get-Node: Use two tilde `~~` to access all offspring nodes + - #124 [Test-ObjectGraph] Add possibility to allow removal of text formatting + - #125 [Test-ObjectGraph] Long parameter names are shortened in the Issue output + - #126 [Test-ObjectGraph] Parents of failing item are also included in the output + - #128 [Test-ObjectGraph] When two objects are failing and specifying Elaborate, the failing objects are listed twice + - #129 [Test-ObjectGraph] When the schema specifies that a parameter is required and another parameter is not correct, that other parameter is not listed as failed. + - #136 When schema child nodes are defined, any collection should be accepted. #136 + + - Enhancements + - #32 Add remove method + - #98 Pass on Add and Remove methods to PSCollectionNode + - #131 Test-ObjectGraph: use class for output + - #132 Display child value when it concerns a [PSLeafNode] + +## 2025-04-05 0.3.2-Preview3 (iRon) + - Fixes + - #121 Fixed merge -PrimaryKey bug + +## 2025-04-05 0.3.2-Preview (iRon) + - Fixes + - #120 Fixed auto-loading issues where types aren't known + ## 2025-04-05 0.3.1-Preview (iRon) - Fixes - #111 Compare-ObjectGraph fails with certain object graphs, presumably due to cyclical references diff --git a/_Temp/$Nullable[Bool].ps1 b/_Temp/$Nullable[Bool].ps1 new file mode 100644 index 0000000..4cdd307 --- /dev/null +++ b/_Temp/$Nullable[Bool].ps1 @@ -0,0 +1,7 @@ +$a = [Nullable[Bool]]$null + +Switch ($a) { + $false { 'false' } + $true { 'true' } + default { 'null' } +} \ No newline at end of file diff --git a/_Temp/Demo/Base.psd1 b/_Temp/Demo/Base.psd1 new file mode 100644 index 0000000..faa83e7 --- /dev/null +++ b/_Temp/Demo/Base.psd1 @@ -0,0 +1,41 @@ +@{ + AllNodes = @( + @{ + NodeName = 'localhost' + CertificateFile = '.\DSCCertificate.cer' + } + ) + + NonNodeData = @{ + Exchange = @{ + OrganizationConfig = @{ + ActivityBasedAuthenticationTimeoutEnabled = $true + ActivityBasedAuthenticationTimeoutInterval = '06:00:00' + ActivityBasedAuthenticationTimeoutWithSingleSignOnEnabled = $true + AppsForOfficeEnabled = $true + } + AuthenticationPolicies = @( + @{ + Identity = 'BlockBasic637775045994108741' + AllowBasicAuthActiveSync = $false + AllowBasicAuthAutodiscover = $false + AllowBasicAuthImap = $true + Ensure = 'Present' + } + ) + CASMailboxPlans = @( + @{ + Identity = 'ExchangeOnlineEnterprise-4aad1894-b847-4488-bb47-df02c2f2aef4' + ImapEnabled = $false + OwaMailboxPolicy = 'OwaMailboxPolicy-Default' + + } + @{ + Identity = 'ExchangeOnlineDeskless-3967a644-75e7-44fc-a644-ce517aa649b3' + ImapEnabled = $false + OwaMailboxPolicy = 'OwaMailboxPolicy-Default' + } + ) + } + } +} \ No newline at end of file diff --git a/_Temp/Demo/Soesterberg.psd1 b/_Temp/Demo/Soesterberg.psd1 new file mode 100644 index 0000000..7c7f57c --- /dev/null +++ b/_Temp/Demo/Soesterberg.psd1 @@ -0,0 +1,2940 @@ +@{ + AllNodes = @( + @{ + NodeName = 'localhost' + CertificateFile = '.\DSCCertificate.cer' + } + ) + NonNodeData = @{ + Environment = @{ + Name = 'soesterberg' + ShortName = 'SSB' + TenantId = 'soesterberg.onmicrosoft.com' + OrganizationName = 'soesterberg' + } + Accounts = @{} + AppCredentials = @( + @{ + Workload = 'Exchange' + ApplicationId = 'c073960f-846b-4cb7-9249-a01eeda3a1b6' + CertThumbprint = '65E427769F27CDA198231B2A7FF03940897FB687' + } + @{ + Workload = 'Intune' + ApplicationId = 'c073960f-846b-4cb7-9249-a01eeda3a1b6' + CertThumbprint = '65E427769F27CDA198231B2A7FF03940897FB687' + } + @{ + Workload = 'Office365' + ApplicationId = 'c073960f-846b-4cb7-9249-a01eeda3a1b6' + CertThumbprint = '65E427769F27CDA198231B2A7FF03940897FB687' + } + @{ + Workload = 'SharePoint' + ApplicationId = 'c073960f-846b-4cb7-9249-a01eeda3a1b6' + CertThumbprint = '65E427769F27CDA198231B2A7FF03940897FB687' + } + @{ + Workload = 'Teams' + ApplicationId = 'c073960f-846b-4cb7-9249-a01eeda3a1b6' + CertThumbprint = '65E427769F27CDA198231B2A7FF03940897FB687' + } + ) + AAD = @{ + AuthenticationMethodPoliciesFido2 = @( + @{ + IncludeTargets = @( + @{ + Id = 'GRP-99100z99-SEC-ROL-WindowsHelloforBusiness' + UniqueID = 'UniqueFido' + #TargetType = 'String | Optional | user / group / unknownFutureValue' + } + ) + } + ) + ConditionalAccessPolicies = @( + @{ + UniqueID = 'IosAndroidAccessBrowserUnmanaged' + ExcludeApplications = @('d4ebce55-015a-49b5-a083-c84d1797ae8c') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @('grp-99100z99-rol-g-MobileMAM') + IncludeLocations = @() + IncludePlatforms = @('android', 'iOS') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @() + } + @{ + UniqueID = 'IosAndroidAccessBrowsermanagedLowrisk' + ExcludeApplications = @('d4ebce55-015a-49b5-a083-c84d1797ae8c') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = 'all' + ExcludeGroups = @('grp-99100z99-rol-g-MobileMAM') + ExcludeGuestOrExternalUserTypes = @('internalGuest', 'b2bCollaborationGuest', 'b2bCollaborationMember', 'b2bDirectConnectUser', 'otherExternalUser', 'serviceProvider') + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @('android', 'iOS') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + } + @{ + UniqueID = 'IosAndroidAccessAppsUnmanaged' + ExcludeApplications = @('d4ebce55-015a-49b5-a083-c84d1797ae8c', 'fc780465-2017-40d4-a0c5-307022471b92') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @('grp-99100z99-rol-g-MobileMAM') + IncludeLocations = @() + IncludePlatforms = @('android', 'iOS') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @() + } + @{ + UniqueID = 'IosAndroidAccessAppsmanagedlowRisk' + ExcludeApplications = @('d4ebce55-015a-49b5-a083-c84d1797ae8c') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = 'all' + ExcludeGroups = @() + ExcludeGuestOrExternalUserTypes = @('internalGuest', 'b2bCollaborationGuest', 'b2bCollaborationMember', 'b2bDirectConnectUser', 'otherExternalUser', 'serviceProvider') + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @('windows') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + + } + @{ + UniqueID = 'Windows10dAccessBrowsermanagedLowrisk' + ExcludeApplications = @('d4ebce55-015a-49b5-a083-c84d1797ae8c') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = 'all' + ExcludeGroups = @('grp-99100z99-SEC-ROL-Beheerder') + ExcludeGuestOrExternalUserTypes = @('internalGuest', 'b2bCollaborationGuest', 'b2bCollaborationMember', 'b2bDirectConnectUser', 'otherExternalUser', 'serviceProvider') + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @('Application Administrator', 'Application Developer', 'Attack Payload Author', 'Attack Simulation Administrator', 'Attribute Assignment Administrator', 'Attribute Assignment Reader', 'Attribute Definition Administrator', 'Attribute Definition Reader', 'Authentication Administrator', 'Authentication Policy Administrator', 'Azure AD Joined Device Local Administrator', 'Azure DevOps Administrator', 'Azure Information Protection Administrator', 'B2C IEF Keyset Administrator', 'B2C IEF Policy Administrator', 'Billing Administrator', 'Cloud App Security Administrator', 'Cloud Application Administrator', 'Cloud Device Administrator', 'Compliance Administrator', 'Compliance Data Administrator', 'Conditional Access Administrator', 'Desktop Analytics Administrator', 'Directory Readers', 'Directory Synchronization Accounts', 'Directory Writers', 'Domain Name Administrator', 'Dynamics 365 Administrator', 'Edge Administrator', 'Exchange Administrator', 'Exchange Recipient Administrator', 'External ID User Flow Administrator', 'External ID User Flow Attribute Administrator', 'External Identity Provider Administrator', 'Global Administrator', 'Global Reader', 'Groups Administrator', 'Guest Inviter', 'Hybrid Identity Administrator', 'Helpdesk Administrator', 'Identity Governance Administrator', 'Insights Administrator', 'Insights Business Leader', 'Intune Administrator', 'Kaizala Administrator', 'Knowledge Administrator', 'Knowledge Manager', 'License Administrator', 'Message Center Privacy Reader', 'Message Center Reader', 'Network Administrator', 'Office Apps Administrator', 'Password Administrator', 'Fabric Administrator', 'Power Platform Administrator', 'Printer Administrator', 'Printer Technician', 'Privileged Authentication Administrator', 'Privileged Role Administrator', 'Reports Reader', 'Search Administrator', 'Search Editor', 'Security Operator', 'Security Administrator', 'Security Reader', 'Service Support Administrator', 'SharePoint Administrator', 'Skype for Business Administrator', 'Teams Administrator', 'Teams Communications Administrator', 'Teams Communications Support Engineer', 'Teams Communications Support Specialist', 'Teams Devices Administrator', 'Usage Summary Reports Reader', 'User Administrator', 'Windows 365 Administrator', 'Windows Update Deployment Administrator', 'Virtual Visits Administrator', 'Insights Analyst', 'Lifecycle Workflows Administrator', 'Permissions Management Administrator', 'Yammer Administrator', 'Customer LockBox Access Approver', 'Microsoft Hardware Warranty Administrator', 'Microsoft Hardware Warranty Specialist', 'Organizational Messages Writer', 'Tenant Creator', 'User Experience Success Manager', 'Authentication Extensibility Administrator', 'Viva Goals Administrator') + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @('windows') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + } + @{ + UniqueID = 'GeneralBlockUnsupported' + ExcludeApplications = @() + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @() + ExcludePlatforms = @('android', 'iOS', 'windows', 'macOS') + ExcludeRoles = @() + ExcludeUsers = @('Azure-Atos@frs99100.onmicrosoft.com', 'azure-frs99100@frs99100.onmicrosoft.com') + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @('all') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + } + @{ + UniqueID = 'MacOSAppsLowRiskAccess' + ExcludeApplications = @('d4ebce55-015a-49b5-a083-c84d1797ae8c') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = 'all' + ExcludeGroups = @() + ExcludeGuestOrExternalUserTypes = @('internalGuest', 'b2bCollaborationGuest', 'b2bCollaborationMember', 'b2bDirectConnectUser', 'otherExternalUser', 'serviceProvider') + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @('macOS') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + } + @{ + UniqueID = 'MFAPolicy' + ExcludeApplications = @() + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @() + IncludeRoles = @('Application Administrator', 'Application Developer', 'Attack Payload Author', 'Attack Simulation Administrator', 'Attribute Assignment Administrator', 'Attribute Assignment Reader', 'Attribute Definition Administrator', 'Attribute Definition Reader', 'Authentication Administrator', 'Authentication Policy Administrator', 'Azure AD Joined Device Local Administrator', 'Azure DevOps Administrator', 'Azure Information Protection Administrator', 'B2C IEF Keyset Administrator', 'B2C IEF Policy Administrator', 'Billing Administrator', 'Cloud App Security Administrator', 'Cloud Application Administrator', 'Cloud Device Administrator', 'Compliance Administrator', 'Compliance Data Administrator', 'Conditional Access Administrator', 'Desktop Analytics Administrator', 'Directory Readers', 'Directory Synchronization Accounts', 'Directory Writers', 'Domain Name Administrator', 'Dynamics 365 Administrator', 'Edge Administrator', 'Exchange Administrator', 'Exchange Recipient Administrator', 'External ID User Flow Administrator', 'External ID User Flow Attribute Administrator', 'External Identity Provider Administrator', 'Global Administrator', 'Global Reader', 'Groups Administrator', 'Guest Inviter', 'Helpdesk Administrator', 'Hybrid Identity Administrator', 'Identity Governance Administrator', 'Insights Administrator', 'Insights Business Leader', 'Intune Administrator', 'Kaizala Administrator', 'Knowledge Administrator', 'Knowledge Manager', 'License Administrator', 'Message Center Privacy Reader', 'Message Center Reader', 'Network Administrator', 'Office Apps Administrator', 'Password Administrator', 'Fabric Administrator', 'Power Platform Administrator', 'Printer Administrator', 'Printer Technician', 'Privileged Authentication Administrator', 'Privileged Role Administrator', 'Reports Reader', 'Search Administrator', 'Search Editor', 'Security Administrator', 'Security Operator', 'Security Reader', 'Service Support Administrator', 'SharePoint Administrator', 'Teams Administrator', 'Teams Communications Administrator', 'Teams Communications Support Engineer', 'Skype for Business Administrator', 'Teams Communications Support Specialist', 'Teams Devices Administrator', 'Usage Summary Reports Reader', 'User Administrator', 'Windows 365 Administrator', 'Windows Update Deployment Administrator', 'Virtual Visits Administrator', 'Insights Analyst', 'Lifecycle Workflows Administrator', 'Permissions Management Administrator', 'Yammer Administrator', 'Organizational Messages Writer', 'Tenant Creator', 'Authentication Extensibility Administrator', 'User Experience Success Manager', 'Viva Goals Administrator', 'Microsoft Hardware Warranty Administrator', 'Microsoft Hardware Warranty Specialist', 'Global Secure Access Administrator', 'Extended Directory User Administrator') + IncludeUserActions = @() + IncludeUsers = @() + } + @{ + UniqueID = 'MacOSAccessBrowser' + ExcludeApplications = @('d4ebce55-015a-49b5-a083-c84d1797ae8c') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = 'all' + ExcludeGroups = @() + ExcludeGuestOrExternalUserTypes = @('internalGuest', 'b2bCollaborationGuest', 'b2bCollaborationMember', 'b2bDirectConnectUser', 'otherExternalUser', 'serviceProvider') + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @('macOS') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + + } + @{ + UniqueID = 'IosAndroidAppsManagedLowSign' + ExcludeApplications = @('d4ebce55-015a-49b5-a083-c84d1797ae8c') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = 'all' + ExcludeGroups = @('grp-99100z99-rol-g-MobileMAM') + ExcludeGuestOrExternalUserTypes = @('internalGuest', 'b2bCollaborationGuest', 'b2bCollaborationMember', 'b2bDirectConnectUser', 'otherExternalUser', 'serviceProvider') + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @('android', 'iOS') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + } + @{ + UniqueID = 'GuestAccessID' + ExcludeApplications = @() + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = 'all' + IncludeGroups = @() + IncludeGuestOrExternalUserTypes = @('internalGuest', 'b2bCollaborationGuest', 'b2bCollaborationMember', 'b2bDirectConnectUser', 'serviceProvider') + IncludeLocations = @() + IncludePlatforms = @('all') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @() + } + @{ + UniqueID = 'BreaktheGlass' + ExcludeApplications = @() + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @('Nederland') + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @('All') + IncludePlatforms = @() + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('Azure-Atos@frs99100.onmicrosoft.com', 'azure-frs99100@frs99100.onmicrosoft.com') + } + @{ + UniuqeID = 'IdprotUserrisk' + ExcludeApplications = @() + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @('Azure-Atos@frs99100.onmicrosoft.com', 'azure-frs99100@frs99100.onmicrosoft.com') + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @() + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + } + @{ + UniqueID = 'GeneralDeviceRegistration' + ExcludeApplications = @() + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('0000000a-0000-0000-c000-000000000000', 'd4ebce55-015a-49b5-a083-c84d1797ae8c') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @() + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + } + @{ + UniqueID = 'BlockUnregisterdDevices' + ExcludeApplications = @('0000000a-0000-0000-c000-000000000000', 'd4ebce55-015a-49b5-a083-c84d1797ae8c') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = 'all' + ExcludeGroups = @('grp-99100z99-SEC-ROL-GlobalReader', 'grp-99100z99-SEC-ROL-SOC', 'grp-99100z99-SEC-ROL-GlobalAdmin', 'grp-99100z99-SEC-ROL-Beheerder', 'grp-99100z99-rol-g-eDiscovery', 'grp-99100z99-SEC-ROL-BLC') + ExcludeGuestOrExternalUserTypes = @('internalGuest', 'b2bCollaborationGuest', 'b2bCollaborationMember', 'b2bDirectConnectUser', 'otherExternalUser', 'serviceProvider') + ExcludeLocations = @('Citrix Opgang') + ExcludePlatforms = @() + ExcludeRoles = @('Application Administrator', 'Application Developer', 'Attack Payload Author', 'Attack Simulation Administrator', 'Attribute Assignment Administrator', 'Attribute Assignment Reader', 'Attribute Definition Administrator', 'Attribute Definition Reader', 'Authentication Administrator', 'Authentication Policy Administrator', 'Azure AD Joined Device Local Administrator', 'Azure DevOps Administrator', 'Azure Information Protection Administrator', 'B2C IEF Keyset Administrator', 'B2C IEF Policy Administrator', 'Billing Administrator', 'Cloud App Security Administrator', 'Cloud Application Administrator', 'Cloud Device Administrator', 'Compliance Administrator', 'Compliance Data Administrator', 'Conditional Access Administrator', 'Desktop Analytics Administrator', 'Directory Readers', 'Customer LockBox Access Approver', 'Directory Synchronization Accounts', 'Directory Writers', 'Domain Name Administrator', 'Dynamics 365 Administrator', 'Edge Administrator', 'Exchange Administrator', 'Exchange Recipient Administrator', 'External ID User Flow Administrator', 'External ID User Flow Attribute Administrator', 'External Identity Provider Administrator', 'Global Administrator', 'Global Reader', 'Groups Administrator', 'Guest Inviter', 'Helpdesk Administrator', 'Hybrid Identity Administrator', 'Identity Governance Administrator', 'Insights Administrator', 'Insights Analyst', 'Insights Business Leader', 'Intune Administrator', 'Kaizala Administrator', 'Knowledge Administrator', 'Knowledge Manager', 'License Administrator', 'Lifecycle Workflows Administrator', 'Message Center Privacy Reader', 'Message Center Reader', 'Network Administrator', 'Office Apps Administrator', 'Organizational Messages Writer', 'Password Administrator', 'Permissions Management Administrator', 'Fabric Administrator', 'Power Platform Administrator', 'Printer Administrator', 'Printer Technician', 'Privileged Authentication Administrator', 'Privileged Role Administrator', 'Reports Reader', 'Search Administrator', 'Search Editor', 'Security Administrator', 'Security Operator', 'Security Reader', 'Service Support Administrator', 'SharePoint Administrator', 'Skype for Business Administrator', 'Teams Administrator', 'Teams Communications Administrator', 'Teams Communications Support Engineer', 'Teams Communications Support Specialist', 'Teams Devices Administrator', 'Tenant Creator', 'Usage Summary Reports Reader', 'User Administrator', 'Virtual Visits Administrator', 'Windows 365 Administrator', 'Windows Update Deployment Administrator', 'Authentication Extensibility Administrator', 'Microsoft Hardware Warranty Administrator', 'Microsoft Hardware Warranty Specialist', 'User Experience Success Manager', 'Viva Goals Administrator', 'Yammer Administrator') + ExcludeUsers = @('azure-frs99100@frs99100.onmicrosoft.com', 'Azure-Atos@frs99100.onmicrosoft.com') + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @('All') + IncludePlatforms = @('android', 'iOS', 'windows', 'macOS') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + } + @{ + UniqueID = 'CASBControl' + ExcludeApplications = @() + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('Office365') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @('grp-99100z99-rol-g-WerkProfiel01') + IncludeLocations = @() + IncludePlatforms = @() + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @() + } + @{ + UniqueID = 'Win10AccessWIP' + ExcludeApplications = @('d4ebce55-015a-49b5-a083-c84d1797ae8c') + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = 'all' + ExcludeGroups = @() + ExcludeGuestOrExternalUserTypes = @('internalGuest', 'b2bCollaborationGuest', 'b2bCollaborationMember', 'b2bDirectConnectUser', 'otherExternalUser', 'serviceProvider') + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @('windows') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + + } + @{ + UniqueID = 'UnsupportedLocations' + ExcludeApplications = @() + ExcludeExternalTenantsMembers = @('a098f889-9341-480c-8788-254c3988b4c5') + ExcludeExternalTenantsMembershipKind = 'enumerated' + ExcludeGroups = @() + ExcludeGuestOrExternalUserTypes = @('serviceProvider') + ExcludeLocations = @('Citrix Opgang') + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @() + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @('All') + IncludePlatforms = @() + IncludeRoles = @('Application Administrator', 'Application Developer', 'Attack Payload Author', 'Attack Simulation Administrator', 'Attribute Assignment Administrator', 'Attribute Assignment Reader', 'Attribute Definition Administrator', 'Attribute Definition Reader', 'Authentication Administrator', 'Azure AD Joined Device Local Administrator', 'Authentication Policy Administrator', 'Azure Information Protection Administrator', 'Azure DevOps Administrator', 'B2C IEF Keyset Administrator', 'B2C IEF Policy Administrator', 'Billing Administrator', 'Cloud App Security Administrator', 'Cloud Application Administrator', 'Cloud Device Administrator', 'Compliance Administrator', 'Compliance Data Administrator', 'Conditional Access Administrator', 'Directory Writers', 'Directory Synchronization Accounts', 'Directory Readers', 'Desktop Analytics Administrator', 'Customer LockBox Access Approver', 'Domain Name Administrator', 'Dynamics 365 Administrator', 'Edge Administrator', 'Exchange Administrator', 'Exchange Recipient Administrator', 'External ID User Flow Attribute Administrator', 'External ID User Flow Administrator', 'External Identity Provider Administrator', 'Global Administrator', 'Global Reader', 'Groups Administrator', 'Guest Inviter', 'Helpdesk Administrator', 'Hybrid Identity Administrator', 'Identity Governance Administrator', 'Intune Administrator', 'Insights Business Leader', 'Insights Analyst', 'Insights Administrator', 'Kaizala Administrator', 'Knowledge Administrator', 'Knowledge Manager', 'License Administrator', 'Lifecycle Workflows Administrator', 'Message Center Privacy Reader', 'Microsoft Hardware Warranty Administrator', 'Message Center Reader', 'Microsoft Hardware Warranty Specialist', 'Network Administrator', 'Office Apps Administrator', 'Organizational Messages Writer', 'Password Administrator', 'Permissions Management Administrator', 'Fabric Administrator', 'Power Platform Administrator', 'Printer Administrator', 'Printer Technician', 'Privileged Authentication Administrator', 'Privileged Role Administrator', 'Reports Reader', 'Search Administrator', 'Search Editor', 'Security Administrator', 'Security Operator', 'Security Reader', 'Service Support Administrator', 'SharePoint Administrator', 'Skype for Business Administrator', 'Teams Administrator', 'Teams Communications Administrator', 'Teams Communications Support Engineer', 'Teams Communications Support Specialist', 'Teams Devices Administrator', 'Tenant Creator', 'Usage Summary Reports Reader', 'User Administrator', 'User Experience Success Manager', 'Virtual Visits Administrator', 'Windows 365 Administrator', 'Windows Update Deployment Administrator', 'Yammer Administrator') + IncludeUserActions = @() + IncludeUsers = @() + } + @{ + UniqueID = 'IdprotSigninRisk' + ExcludeApplications = @() + ExcludeExternalTenantsMembers = @() + ExcludeExternalTenantsMembershipKind = '' + ExcludeGroups = @() + ExcludeLocations = @() + ExcludePlatforms = @() + ExcludeRoles = @() + ExcludeUsers = @('Azure-Atos@frs99100.onmicrosoft.com', 'azure-frs99100@frs99100.onmicrosoft.com') + IncludeApplications = @('All') + IncludeExternalTenantsMembers = @() + IncludeExternalTenantsMembershipKind = '' + IncludeGroups = @() + IncludeLocations = @() + IncludePlatforms = @('android', 'iOS', 'windows', 'macOS') + IncludeRoles = @() + IncludeUserActions = @() + IncludeUsers = @('All') + } + ) + GroupLifecyclePolicy = @{ + + UniqueID = 'GroupLifecyclePolicy' + AlternateNotificationEmails = @() + } + GroupsSettings = @{ + UniqueID = 'GroupCreation' + GroupCreationAllowedGroupName = 'grp-99100z99-rol-g-AddM365Groups' + } + } + Exchange = @{ + MailTips = @( + @{ + UniqueId = 'AllMailTips' + Organization = 'soesterberg.onmicrosoft.com' + } + ) + AcceptedDomains = @( + @{ + UniqueId = 'Default' + Identity = 'soesterberg.onmicrosoft.com' + } + ) + } + Teams = @{ + AppSetupPolicies = @( + @{ + UniqueId = 'PinnedAppBarGlobal' + PinnedAppBarApps = @('14d6962d-6eeb-4f48-8890-de55454bb136', '86fcd49b-61a2-4701-b771-54728cd291fb', '2a84919f-59d8-4441-a975-2a8c2643b741', 'ef56c0de-36fc-4ef8-b417-3d82ba9d073c', '20c3440d-c67e-4420-9f80-0e50c39693df', '5af6a76b-40fc-4ba1-af29-8f49b08e44fd') + } + @{ + UniqueId = 'PinnedAppBarFirst' + PinnedAppBarApps = @('14d6962d-6eeb-4f48-8890-de55454bb136', '86fcd49b-61a2-4701-b771-54728cd291fb', '2a84919f-59d8-4441-a975-2a8c2643b741', 'ef56c0de-36fc-4ef8-b417-3d82ba9d073c', '20c3440d-c67e-4420-9f80-0e50c39693df', '5af6a76b-40fc-4ba1-af29-8f49b08e44fd') + } + ) + GroupPoliciesAssignment = @( + @{ + UniqueId = 'GroupPolicyLiveEvents' + GroupDisplayName = 'grp-99100z99-rol-g-TeamsLiveEvent' + GroupId = 'affaa8b1-8166-4d68-985b-9aa848beff42' + } + ) + UpgradePolicies = @( + @{ + UniqueID = 'UpgradeToTeamsID' + Users = @('') + } + ) + } + Office365 = @{} + SharePoint = @{ + SharingSettings = @{ + UniqueId = 'SharingAllowList' + SharingAllowedDomainList = @('jio.nl') + } + } + OneDrive = @{} + <#Planner = @{ + Buckets = @( + @{} + ) + Plans = @( + @{} + ) + Tasks = @( + @{ + Attachments = @( + @{ + Alias = 'String | Optional' + Type = 'String | Optional | PowerPoint / Word / Excel / Other' + Uri = 'String | Optional' + } + ) + Checklist = @( + @{ + Completed = 'String | Optional' + Title = 'String | Optional' + } + ) + } + ) + }#> + <#PowerPlatform = @{ + PowerAppsEnvironments = @( + @{} + ) + TenantIsolationSettings = @{ + RulesToExclude = @( + @{ + TenantName = 'String | Required' + Direction = 'String | Required | Inbound / Outbound / Both' + } + ) + RulesToInclude = @( + @{ + TenantName = 'String | Required' + Direction = 'String | Required | Inbound / Outbound / Both' + } + ) + Rules = @( + @{ + TenantName = 'String | Required' + Direction = 'String | Required | Inbound / Outbound / Both' + } + ) + } + TenantSettings = @{} + }#> + <#Intune = @{ + AntivirusPoliciesWindows10SettingCatalog = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + AppConfigurationPolicies = @( + @{ + CustomSettings = @( + @{ + value = 'String | Optional' + name = 'String | Optional' + } + ) + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + ApplicationControlPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + AppProtectionPoliciesAndroid = @( + @{} + ) + AppProtectionPoliciesiOS = @( + @{} + ) + ASRRulesPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + AttackSurfaceReductionRulesPoliciesWindows10ConfigManager = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceAndAppManagementAssignmentFilters = @( + @{} + ) + DeviceCategories = @( + @{} + ) + DeviceCompliancePoliciesAndroid = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceCompliancePoliciesAndroidDeviceOwner = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceCompliancePoliciesAndroidWorkProfile = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceCompliancePoliciesiOs = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + RestrictedApps = @( + @{ + publisher = 'String | Optional' + name = 'String | Optional' + appId = 'String | Optional' + appStoreUrl = 'String | Optional' + } + ) + } + ) + DeviceCompliancePoliciesMacOS = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceCompliancePoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationAdministrativeTemplatePoliciesWindows10 = @( + @{ + DefinitionValues = @( + @{ + ConfigurationType = 'String | Optional | policy / preference' + PresentationValues = @( + @{ + BooleanValue = 'Boolean | Optional' + StringValue = 'String | Optional' + Id = 'String | Optional' + DecimalValue = 'UInt64 | Optional' + odataType = 'String | Optional | microsoft.graph.groupPolicyPresentationValueBoolean / microsoft.graph.groupPolicyPresentationValueDecimal / microsoft.graph.groupPolicyPresentationValueList / microsoft.graph.groupPolicyPresentationValueLongDecimal / microsoft.graph.groupPolicyPresentationValueMultiText / microsoft.graph.groupPolicyPresentationValueText' + PresentationDefinitionLabel = 'String | Optional' + KeyValuePairValues = @( + #@{ + Name = 'String | Optional' + Value = 'String | Optional' + #} + ) + PresentationDefinitionId = 'String | Optional' + StringValues = 'StringArray | Optional' + } + ) + Id = 'String | Optional' + Definition = @{ + CategoryPath = 'String | Optional' + PolicyType = 'String | Optional | admxBacked / admxIngested' + SupportedOn = 'String | Optional' + MinDeviceCspVersion = 'String | Optional' + MinUserCspVersion = 'String | Optional' + ExplainText = 'String | Optional' + Id = 'String | Optional' + ClassType = 'String | Optional | user / machine' + GroupPolicyCategoryId = 'String | Optional' + HasRelatedDefinitions = 'Boolean | Optional' + DisplayName = 'String | Optional' + } + Enabled = 'Boolean | Optional' + } + ) + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationCustomPoliciesWindows10 = @( + @{ + OmaSettings = @( + @{ + FileName = 'String | Optional' + Description = 'String | Optional' + OmaUri = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.omaSettingBase64 / microsoft.graph.omaSettingBoolean / microsoft.graph.omaSettingDateTime / microsoft.graph.omaSettingFloatingPoint / microsoft.graph.omaSettingInteger / microsoft.graph.omaSettingString / microsoft.graph.omaSettingStringXml' + SecretReferenceValueId = 'String | Optional' + Value = 'String | Optional' + IsReadOnly = 'Boolean | Optional' + IsEncrypted = 'Boolean | Optional' + DisplayName = 'String | Optional' + } + ) + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationDefenderForEndpointOnboardingPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationDeliveryOptimizationPoliciesWindows10 = @( + @{ + MaximumCacheSize = @{ + MaximumCacheSizePercentage = 'UInt32 | Optional' + MaximumCacheSizeInGigabytes = 'UInt64 | Optional' + odataType = 'String | Optional | microsoft.graph.deliveryOptimizationMaxCacheSizeAbsolute / microsoft.graph.deliveryOptimizationMaxCacheSizePercentage' + } + GroupIdSource = @{ + GroupIdCustom = 'String | Optional' + GroupIdSourceOption = 'String | Optional | notConfigured / adSite / authenticatedDomainSid / dhcpUserOption / dnsSuffix' + odataType = 'String | Optional | microsoft.graph.deliveryOptimizationGroupIdCustom / microsoft.graph.deliveryOptimizationGroupIdSourceOptions' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + BandwidthMode = @{ + MaximumDownloadBandwidthInKilobytesPerSecond = 'UInt64 | Optional' + BandwidthBackgroundPercentageHours = @{ + BandwidthBeginBusinessHours = 'UInt32 | Optional' + BandwidthPercentageOutsideBusinessHours = 'UInt32 | Optional' + BandwidthPercentageDuringBusinessHours = 'UInt32 | Optional' + BandwidthEndBusinessHours = 'UInt32 | Optional' + } + MaximumForegroundBandwidthPercentage = 'UInt32 | Optional' + BandwidthForegroundPercentageHours = @{ + BandwidthBeginBusinessHours = 'UInt32 | Optional' + BandwidthPercentageOutsideBusinessHours = 'UInt32 | Optional' + BandwidthPercentageDuringBusinessHours = 'UInt32 | Optional' + BandwidthEndBusinessHours = 'UInt32 | Optional' + } + MaximumBackgroundBandwidthPercentage = 'UInt32 | Optional' + MaximumUploadBandwidthInKilobytesPerSecond = 'UInt64 | Optional' + odataType = 'String | Optional | microsoft.graph.deliveryOptimizationBandwidthAbsolute / microsoft.graph.deliveryOptimizationBandwidthHoursWithPercentage / microsoft.graph.deliveryOptimizationBandwidthPercentage' + } + } + ) + DeviceConfigurationDomainJoinPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationEmailProfilePoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationEndpointProtectionPoliciesWindows10 = @( + @{ + UserRightsRemoteShutdown = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsManageVolumes = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsBackupData = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsLoadUnloadDrivers = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsIncreaseSchedulingPriority = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsImpersonateClient = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsDebugPrograms = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsCreatePageFile = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsRestoreData = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsGenerateSecurityAudits = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + FirewallProfilePrivate = @{ + PolicyRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + InboundNotificationsBlocked = 'Boolean | Optional' + OutboundConnectionsRequired = 'Boolean | Optional' + GlobalPortRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + ConnectionSecurityRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + UnicastResponsesToMulticastBroadcastsRequired = 'Boolean | Optional' + PolicyRulesFromGroupPolicyMerged = 'Boolean | Optional' + UnicastResponsesToMulticastBroadcastsBlocked = 'Boolean | Optional' + IncomingTrafficRequired = 'Boolean | Optional' + IncomingTrafficBlocked = 'Boolean | Optional' + ConnectionSecurityRulesFromGroupPolicyMerged = 'Boolean | Optional' + StealthModeRequired = 'Boolean | Optional' + InboundNotificationsRequired = 'Boolean | Optional' + AuthorizedApplicationRulesFromGroupPolicyMerged = 'Boolean | Optional' + InboundConnectionsBlocked = 'Boolean | Optional' + OutboundConnectionsBlocked = 'Boolean | Optional' + StealthModeBlocked = 'Boolean | Optional' + GlobalPortRulesFromGroupPolicyMerged = 'Boolean | Optional' + SecuredPacketExemptionBlocked = 'Boolean | Optional' + SecuredPacketExemptionAllowed = 'Boolean | Optional' + InboundConnectionsRequired = 'Boolean | Optional' + FirewallEnabled = 'String | Optional | notConfigured / blocked / allowed' + AuthorizedApplicationRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + FirewallProfilePublic = @{ + PolicyRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + InboundNotificationsBlocked = 'Boolean | Optional' + OutboundConnectionsRequired = 'Boolean | Optional' + GlobalPortRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + ConnectionSecurityRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + UnicastResponsesToMulticastBroadcastsRequired = 'Boolean | Optional' + PolicyRulesFromGroupPolicyMerged = 'Boolean | Optional' + UnicastResponsesToMulticastBroadcastsBlocked = 'Boolean | Optional' + IncomingTrafficRequired = 'Boolean | Optional' + IncomingTrafficBlocked = 'Boolean | Optional' + ConnectionSecurityRulesFromGroupPolicyMerged = 'Boolean | Optional' + StealthModeRequired = 'Boolean | Optional' + InboundNotificationsRequired = 'Boolean | Optional' + AuthorizedApplicationRulesFromGroupPolicyMerged = 'Boolean | Optional' + InboundConnectionsBlocked = 'Boolean | Optional' + OutboundConnectionsBlocked = 'Boolean | Optional' + StealthModeBlocked = 'Boolean | Optional' + GlobalPortRulesFromGroupPolicyMerged = 'Boolean | Optional' + SecuredPacketExemptionBlocked = 'Boolean | Optional' + SecuredPacketExemptionAllowed = 'Boolean | Optional' + InboundConnectionsRequired = 'Boolean | Optional' + FirewallEnabled = 'String | Optional | notConfigured / blocked / allowed' + AuthorizedApplicationRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + } + UserRightsBlockAccessFromNetwork = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + FirewallProfileDomain = @{ + PolicyRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + InboundNotificationsBlocked = 'Boolean | Optional' + OutboundConnectionsRequired = 'Boolean | Optional' + GlobalPortRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + ConnectionSecurityRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + UnicastResponsesToMulticastBroadcastsRequired = 'Boolean | Optional' + PolicyRulesFromGroupPolicyMerged = 'Boolean | Optional' + UnicastResponsesToMulticastBroadcastsBlocked = 'Boolean | Optional' + IncomingTrafficRequired = 'Boolean | Optional' + IncomingTrafficBlocked = 'Boolean | Optional' + ConnectionSecurityRulesFromGroupPolicyMerged = 'Boolean | Optional' + StealthModeRequired = 'Boolean | Optional' + InboundNotificationsRequired = 'Boolean | Optional' + AuthorizedApplicationRulesFromGroupPolicyMerged = 'Boolean | Optional' + InboundConnectionsBlocked = 'Boolean | Optional' + OutboundConnectionsBlocked = 'Boolean | Optional' + StealthModeBlocked = 'Boolean | Optional' + GlobalPortRulesFromGroupPolicyMerged = 'Boolean | Optional' + SecuredPacketExemptionBlocked = 'Boolean | Optional' + SecuredPacketExemptionAllowed = 'Boolean | Optional' + InboundConnectionsRequired = 'Boolean | Optional' + FirewallEnabled = 'String | Optional | notConfigured / blocked / allowed' + AuthorizedApplicationRulesFromGroupPolicyNotMerged = 'Boolean | Optional' + } + UserRightsDenyLocalLogOn = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + BitLockerSystemDrivePolicy = @{ + PrebootRecoveryEnableMessageAndUrl = 'Boolean | Optional' + StartupAuthenticationTpmPinUsage = 'String | Optional | blocked / required / allowed / notConfigured' + EncryptionMethod = 'String | Optional | aesCbc128 / aesCbc256 / xtsAes128 / xtsAes256' + MinimumPinLength = 'UInt32 | Optional' + PrebootRecoveryMessage = 'String | Optional' + StartupAuthenticationTpmPinAndKeyUsage = 'String | Optional | blocked / required / allowed / notConfigured' + StartupAuthenticationRequired = 'Boolean | Optional' + RecoveryOptions = @{ + RecoveryInformationToStore = 'String | Optional | passwordAndKey / passwordOnly' + HideRecoveryOptions = 'Boolean | Optional' + BlockDataRecoveryAgent = 'Boolean | Optional' + RecoveryKeyUsage = 'String | Optional | blocked / required / allowed / notConfigured' + EnableBitLockerAfterRecoveryInformationToStore = 'Boolean | Optional' + EnableRecoveryInformationSaveToStore = 'Boolean | Optional' + RecoveryPasswordUsage = 'String | Optional | blocked / required / allowed / notConfigured' + } + PrebootRecoveryUrl = 'String | Optional' + StartupAuthenticationTpmUsage = 'String | Optional | blocked / required / allowed / notConfigured' + StartupAuthenticationTpmKeyUsage = 'String | Optional | blocked / required / allowed / notConfigured' + StartupAuthenticationBlockWithoutTpmChip = 'Boolean | Optional' + } + UserRightsLocalLogOn = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsModifyObjectLabels = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + BitLockerFixedDrivePolicy = @{ + RecoveryOptions = @{ + RecoveryInformationToStore = 'String | Optional | passwordAndKey / passwordOnly' + HideRecoveryOptions = 'Boolean | Optional' + BlockDataRecoveryAgent = 'Boolean | Optional' + RecoveryKeyUsage = 'String | Optional | blocked / required / allowed / notConfigured' + EnableBitLockerAfterRecoveryInformationToStore = 'Boolean | Optional' + EnableRecoveryInformationSaveToStore = 'Boolean | Optional' + RecoveryPasswordUsage = 'String | Optional | blocked / required / allowed / notConfigured' + } + RequireEncryptionForWriteAccess = 'Boolean | Optional' + EncryptionMethod = 'String | Optional | aesCbc128 / aesCbc256 / xtsAes128 / xtsAes256' + } + UserRightsDelegation = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsAllowAccessFromNetwork = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsCreatePermanentSharedObjects = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + FirewallRules = @( + @{ + LocalAddressRanges = 'StringArray | Optional' + Action = 'String | Optional | notConfigured / blocked / allowed' + Description = 'String | Optional' + InterfaceTypes = 'String | Optional | notConfigured / remoteAccess / wireless / lan' + RemotePortRanges = 'StringArray | Optional' + DisplayName = 'String | Optional' + FilePath = 'String | Optional' + LocalUserAuthorizations = 'String | Optional' + Protocol = 'UInt32 | Optional' + TrafficDirection = 'String | Optional | notConfigured / out / in' + RemoteAddressRanges = 'StringArray | Optional' + PackageFamilyName = 'String | Optional' + ServiceName = 'String | Optional' + LocalPortRanges = 'StringArray | Optional' + ProfileTypes = 'String | Optional | notConfigured / domain / private / public' + EdgeTraversal = 'String | Optional | notConfigured / blocked / allowed' + } + ) + UserRightsModifyFirmwareEnvironment = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + BitLockerRemovableDrivePolicy = @{ + RequireEncryptionForWriteAccess = 'Boolean | Optional' + BlockCrossOrganizationWriteAccess = 'Boolean | Optional' + EncryptionMethod = 'String | Optional | aesCbc128 / aesCbc256 / xtsAes128 / xtsAes256' + } + UserRightsCreateToken = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsProfileSingleProcess = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsChangeSystemTime = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsCreateGlobalObjects = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsTakeOwnership = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsLockMemory = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsManageAuditingAndSecurityLogs = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsAccessCredentialManagerAsTrustedCaller = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + DefenderDetectedMalwareActions = @{ + LowSeverity = 'String | Optional | deviceDefault / clean / quarantine / remove / allow / userDefined / block' + SevereSeverity = 'String | Optional | deviceDefault / clean / quarantine / remove / allow / userDefined / block' + ModerateSeverity = 'String | Optional | deviceDefault / clean / quarantine / remove / allow / userDefined / block' + HighSeverity = 'String | Optional | deviceDefault / clean / quarantine / remove / allow / userDefined / block' + } + UserRightsActAsPartOfTheOperatingSystem = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsRemoteDesktopServicesLogOn = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + UserRightsCreateSymbolicLinks = @{ + State = 'String | Optional | notConfigured / blocked / allowed' + LocalUsersOrGroups = @( + @{ + Description = 'String | Optional' + Name = 'String | Optional' + SecurityIdentifier = 'String | Optional' + } + ) + } + } + ) + DeviceConfigurationFirmwareInterfacePoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationHealthMonitoringConfigurationPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationIdentityProtectionPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationImportedPfxCertificatePoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationKioskPoliciesWindows10 = @( + @{ + WindowsKioskForceUpdateSchedule = @{ + RunImmediatelyIfAfterStartDateTime = 'Boolean | Optional' + StartDateTime = 'String | Optional' + DayofMonth = 'UInt32 | Optional' + Recurrence = 'String | Optional | none / daily / weekly / monthly' + DayofWeek = 'String | Optional | sunday / monday / tuesday / wednesday / thursday / friday / saturday' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + KioskProfiles = @( + @{ + ProfileId = 'String | Optional' + UserAccountsConfiguration = @( + @{ + GroupId = 'String | Optional' + UserName = 'String | Optional' + UserPrincipalName = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.windowsKioskActiveDirectoryGroup / microsoft.graph.windowsKioskAutologon / microsoft.graph.windowsKioskAzureADGroup / microsoft.graph.windowsKioskAzureADUser / microsoft.graph.windowsKioskLocalGroup / microsoft.graph.windowsKioskLocalUser / microsoft.graph.windowsKioskVisitor' + GroupName = 'String | Optional' + UserId = 'String | Optional' + DisplayName = 'String | Optional' + } + ) + ProfileName = 'String | Optional' + AppConfiguration = @{ + UwpApp = @{ + EdgeNoFirstRun = 'Boolean | Optional' + Name = 'String | Optional' + EdgeKiosk = 'String | Optional' + ClassicAppPath = 'String | Optional' + AppId = 'String | Optional' + AppUserModelId = 'String | Optional' + EdgeKioskIdleTimeoutMinutes = 'UInt32 | Optional' + AutoLaunch = 'Boolean | Optional' + StartLayoutTileSize = 'String | Optional | hidden / small / medium / wide / large' + AppType = 'String | Optional | unknown / store / desktop / aumId' + EdgeKioskType = 'String | Optional | publicBrowsing / fullScreen' + ContainedAppId = 'String | Optional' + DesktopApplicationId = 'String | Optional' + DesktopApplicationLinkPath = 'String | Optional' + Path = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.windowsKioskDesktopApp / microsoft.graph.windowsKioskUWPApp / microsoft.graph.windowsKioskWin32App' + } + Win32App = @{ + EdgeNoFirstRun = 'Boolean | Optional' + Name = 'String | Optional' + EdgeKiosk = 'String | Optional' + ClassicAppPath = 'String | Optional' + EdgeKioskIdleTimeoutMinutes = 'UInt32 | Optional' + AppUserModelId = 'String | Optional' + AppId = 'String | Optional' + AutoLaunch = 'Boolean | Optional' + StartLayoutTileSize = 'String | Optional | hidden / small / medium / wide / large' + AppType = 'String | Optional | unknown / store / desktop / aumId' + EdgeKioskType = 'String | Optional | publicBrowsing / fullScreen' + ContainedAppId = 'String | Optional' + DesktopApplicationId = 'String | Optional' + DesktopApplicationLinkPath = 'String | Optional' + Path = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.windowsKioskDesktopApp / microsoft.graph.windowsKioskUWPApp / microsoft.graph.windowsKioskWin32App' + } + Apps = @( + @{ + EdgeNoFirstRun = 'Boolean | Optional' + Name = 'String | Optional' + EdgeKiosk = 'String | Optional' + ClassicAppPath = 'String | Optional' + AppId = 'String | Optional' + AppUserModelId = 'String | Optional' + EdgeKioskIdleTimeoutMinutes = 'UInt32 | Optional' + AutoLaunch = 'Boolean | Optional' + StartLayoutTileSize = 'String | Optional | hidden / small / medium / wide / large' + AppType = 'String | Optional | unknown / store / desktop / aumId' + EdgeKioskType = 'String | Optional | publicBrowsing / fullScreen' + ContainedAppId = 'String | Optional' + DesktopApplicationId = 'String | Optional' + DesktopApplicationLinkPath = 'String | Optional' + Path = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.windowsKioskDesktopApp / microsoft.graph.windowsKioskUWPApp / microsoft.graph.windowsKioskWin32App' + } + ) + AllowAccessToDownloadsFolder = 'Boolean | Optional' + ShowTaskBar = 'Boolean | Optional' + DisallowDesktopApps = 'Boolean | Optional' + odataType = 'String | Optional | microsoft.graph.windowsKioskMultipleApps / microsoft.graph.windowsKioskSingleUWPApp / microsoft.graph.windowsKioskSingleWin32App' + StartMenuLayoutXml = 'String | Optional' + } + } + ) + } + ) + DeviceConfigurationNetworkBoundaryPoliciesWindows10 = @( + @{ + WindowsNetworkIsolationPolicy = @{ + EnterpriseProxyServers = 'StringArray | Optional' + EnterpriseInternalProxyServers = 'StringArray | Optional' + EnterpriseIPRangesAreAuthoritative = 'Boolean | Optional' + EnterpriseCloudResources = @( + @{ + Proxy = 'String | Optional' + IpAddressOrFQDN = 'String | Optional' + } + ) + EnterpriseProxyServersAreAuthoritative = 'Boolean | Optional' + EnterpriseNetworkDomainNames = 'StringArray | Optional' + EnterpriseIPRanges = @( + @{ + CidrAddress = 'String | Optional' + UpperAddress = 'String | Optional' + LowerAddress = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.iPv4CidrRange / microsoft.graph.iPv6CidrRange / microsoft.graph.iPv4Range / microsoft.graph.iPv6Range' + } + ) + NeutralDomainResources = 'StringArray | Optional' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationPkcsCertificatePoliciesWindows10 = @( + @{ + ExtendedKeyUsages = @( + @{ + ObjectIdentifier = 'String | Optional' + Name = 'String | Optional' + } + ) + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + CustomSubjectAlternativeNames = @( + @{ + SanType = 'String | Optional | none / emailAddress / userPrincipalName / customAzureADAttribute / domainNameService / universalResourceIdentifier' + Name = 'String | Optional' + } + ) + } + ) + DeviceConfigurationPoliciesAndroidDeviceAdministrator = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + AppsLaunchBlockList = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + KioskModeApps = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + CompliantAppsList = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + AppsHideList = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + AppsInstallAllowList = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + } + ) + DeviceConfigurationPoliciesAndroidDeviceOwner = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + AzureAdSharedDeviceDataClearApps = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + KioskModeApps = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + DeviceOwnerLockScreenMessage = @{ + localizedMessages = @( + @{ + Value = 'String | Optional' + Name = 'String | Optional' + } + ) + defaultMessage = 'String | Optional' + } + GlobalProxy = @{ + excludedHosts = 'StringArray | Optional' + host = 'String | Optional' + port = 'UInt32 | Optional' + proxyAutoConfigURL = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.androidDeviceOwnerGlobalProxyAutoConfig / microsoft.graph.androidDeviceOwnerGlobalProxyDirect' + } + KioskModeAppPositions = @( + @{ + item = @{ + folderName = 'String | Optional' + folderIdentifier = 'String | Optional' + items = @( + @{ + className = 'String | Optional' + package = 'String | Optional' + label = 'String | Optional' + link = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.androidDeviceOwnerKioskModeApp / microsoft.graph.androidDeviceOwnerKioskModeWeblink' + } + ) + label = 'String | Optional' + link = 'String | Optional' + package = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.androidDeviceOwnerKioskModeApp / microsoft.graph.androidDeviceOwnerKioskModeWeblink / microsoft.graph.androidDeviceOwnerKioskModeManagedFolder' + className = 'String | Optional' + } + position = 'UInt32 | Optional' + } + ) + KioskModeManagedFolders = @( + @{ + folderName = 'String | Optional' + items = @( + @{ + className = 'String | Optional' + package = 'String | Optional' + label = 'String | Optional' + link = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.androidDeviceOwnerKioskModeApp / microsoft.graph.androidDeviceOwnerKioskModeWeblink' + } + ) + folderIdentifier = 'String | Optional' + } + ) + ShortHelpText = @{ + localizedMessages = @( + @{ + Value = 'String | Optional' + Name = 'String | Optional' + } + ) + defaultMessage = 'String | Optional' + } + PersonalProfilePersonalApplications = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + DetailedHelpText = @{ + localizedMessages = @( + @{ + Value = 'String | Optional' + Name = 'String | Optional' + } + ) + defaultMessage = 'String | Optional' + } + SystemUpdateFreezePeriods = @( + @{ + endMonth = 'UInt32 | Optional' + startMonth = 'UInt32 | Optional' + startDay = 'UInt32 | Optional' + endDay = 'UInt32 | Optional' + } + ) + } + ) + DeviceConfigurationPoliciesAndroidOpenSourceProject = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationPoliciesAndroidWorkProfile = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationPoliciesiOS = @( + @{ + MediaContentRatingGermany = @{ + movieRating = 'String | Optional | allAllowed / allBlocked / general / agesAbove6 / agesAbove12 / agesAbove16 / adults' + tvRating = 'String | Optional | allAllowed / allBlocked / general / agesAbove6 / agesAbove12 / agesAbove16 / adults' + } + MediaContentRatingFrance = @{ + movieRating = 'String | Optional | allAllowed / allBlocked / agesAbove10 / agesAbove12 / agesAbove16 / agesAbove18' + tvRating = 'String | Optional | allAllowed / allBlocked / agesAbove10 / agesAbove12 / agesAbove16 / agesAbove18' + } + MediaContentRatingUnitedKingdom = @{ + movieRating = 'String | Optional | allAllowed / allBlocked / general / universalChildren / parentalGuidance / agesAbove12Video / agesAbove12Cinema / agesAbove15 / adults' + tvRating = 'String | Optional | allAllowed / allBlocked / caution' + } + MediaContentRatingCanada = @{ + movieRating = 'String | Optional | allAllowed / allBlocked / general / parentalGuidance / agesAbove14 / agesAbove18 / restricted' + tvRating = 'String | Optional | allAllowed / allBlocked / children / childrenAbove8 / general / parentalGuidance / agesAbove14 / agesAbove18' + } + MediaContentRatingJapan = @{ + movieRating = 'String | Optional | allAllowed / allBlocked / general / parentalGuidance / agesAbove15 / agesAbove18' + tvRating = 'String | Optional | allAllowed / allBlocked / explicitAllowed' + } + MediaContentRatingAustralia = @{ + movieRating = 'String | Optional | allAllowed / allBlocked / general / parentalGuidance / mature / agesAbove15 / agesAbove18' + tvRating = 'String | Optional | allAllowed / allBlocked / preschoolers / children / general / parentalGuidance / mature / agesAbove15 / agesAbove15AdultViolence' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + MediaContentRatingUnitedStates = @{ + movieRating = 'String | Optional | allAllowed / allBlocked / general / parentalGuidance / parentalGuidance13 / restricted / adults' + tvRating = 'String | Optional | allAllowed / allBlocked / childrenAll / childrenAbove7 / general / parentalGuidance / childrenAbove14 / adults' + } + AppsVisibilityList = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + MediaContentRatingNewZealand = @{ + movieRating = 'String | Optional | allAllowed / allBlocked / general / parentalGuidance / mature / agesAbove13 / agesAbove15 / agesAbove16 / agesAbove18 / restricted / agesAbove16Restricted' + tvRating = 'String | Optional | allAllowed / allBlocked / general / parentalGuidance / adults' + } + AppsSingleAppModeList = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + NetworkUsageRules = @( + @{ + cellularDataBlockWhenRoaming = 'Boolean | Optional' + managedApps = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + cellularDataBlocked = 'Boolean | Optional' + } + ) + CompliantAppsList = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + MediaContentRatingIreland = @{ + movieRating = 'String | Optional | allAllowed / allBlocked / general / parentalGuidance / agesAbove12 / agesAbove15 / agesAbove16 / adults' + tvRating = 'String | Optional | allAllowed / allBlocked / general / children / youngAdults / parentalSupervision / mature' + } + } + ) + DeviceConfigurationPoliciesMacOS = @( + @{ + PrivacyAccessControls = @( + @{ + systemPolicyRemovableVolumes = 'String | Optional | notConfigured / enabled / disabled' + accessibility = 'String | Optional | notConfigured / enabled / disabled' + systemPolicyDesktopFolder = 'String | Optional | notConfigured / enabled / disabled' + displayName = 'String | Optional' + postEvent = 'String | Optional | notConfigured / enabled / disabled' + speechRecognition = 'String | Optional | notConfigured / enabled / disabled' + codeRequirement = 'String | Optional' + fileProviderPresence = 'String | Optional | notConfigured / enabled / disabled' + reminders = 'String | Optional | notConfigured / enabled / disabled' + systemPolicyNetworkVolumes = 'String | Optional | notConfigured / enabled / disabled' + blockMicrophone = 'Boolean | Optional' + mediaLibrary = 'String | Optional | notConfigured / enabled / disabled' + appleEventsAllowedReceivers = @( + @{ + identifier = 'String | Optional' + identifierType = 'String | Optional | bundleID / path' + allowed = 'Boolean | Optional' + codeRequirement = 'String | Optional' + } + ) + blockCamera = 'Boolean | Optional' + systemPolicyAllFiles = 'String | Optional | notConfigured / enabled / disabled' + blockListenEvent = 'Boolean | Optional' + identifier = 'String | Optional' + systemPolicyDocumentsFolder = 'String | Optional | notConfigured / enabled / disabled' + staticCodeValidation = 'Boolean | Optional' + photos = 'String | Optional | notConfigured / enabled / disabled' + systemPolicySystemAdminFiles = 'String | Optional | notConfigured / enabled / disabled' + systemPolicyDownloadsFolder = 'String | Optional | notConfigured / enabled / disabled' + blockScreenCapture = 'Boolean | Optional' + addressBook = 'String | Optional | notConfigured / enabled / disabled' + calendar = 'String | Optional | notConfigured / enabled / disabled' + identifierType = 'String | Optional | bundleID / path' + } + ) + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + CompliantAppsList = @( + @{ + appId = 'String | Optional' + publisher = 'String | Optional' + appStoreUrl = 'String | Optional' + name = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.appleAppListItem' + } + ) + } + ) + DeviceConfigurationPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + EdgeSearchEngine = @{ + EdgeSearchEngineOpenSearchXmlUrl = 'String | Optional' + EdgeSearchEngineType = 'String | Optional | default / bing' + odataType = 'String | Optional | microsoft.graph.edgeSearchEngine / microsoft.graph.edgeSearchEngineCustom' + } + EdgeHomeButtonConfiguration = @{ + odataType = 'String | Optional | microsoft.graph.edgeHomeButtonHidden / microsoft.graph.edgeHomeButtonLoadsStartPage / microsoft.graph.edgeHomeButtonOpensCustomURL / microsoft.graph.edgeHomeButtonOpensNewTab' + HomeButtonCustomURL = 'String | Optional' + } + Windows10AppsForceUpdateSchedule = @{ + RunImmediatelyIfAfterStartDateTime = 'Boolean | Optional' + Recurrence = 'String | Optional | none / daily / weekly / monthly' + StartDateTime = 'String | Optional' + } + NetworkProxyServer = @{ + UseForLocalAddresses = 'Boolean | Optional' + Exceptions = 'StringArray | Optional' + Address = 'String | Optional' + } + DefenderDetectedMalwareActions = @{ + LowSeverity = 'String | Optional | deviceDefault / clean / quarantine / remove / allow / userDefined / block' + SevereSeverity = 'String | Optional | deviceDefault / clean / quarantine / remove / allow / userDefined / block' + ModerateSeverity = 'String | Optional | deviceDefault / clean / quarantine / remove / allow / userDefined / block' + HighSeverity = 'String | Optional | deviceDefault / clean / quarantine / remove / allow / userDefined / block' + } + } + ) + DeviceConfigurationScepCertificatePoliciesWindows10 = @( + @{ + ExtendedKeyUsages = @( + @{ + ObjectIdentifier = 'String | Optional' + Name = 'String | Optional' + } + ) + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + CustomSubjectAlternativeNames = @( + @{ + SanType = 'String | Optional | none / emailAddress / userPrincipalName / customAzureADAttribute / domainNameService / universalResourceIdentifier' + Name = 'String | Optional' + } + ) + } + ) + DeviceConfigurationSecureAssessmentPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationSharedMultiDevicePoliciesWindows10 = @( + @{ + AccountManagerPolicy = @{ + InactiveThresholdDays = 'UInt32 | Optional' + CacheAccountsAboveDiskFreePercentage = 'UInt32 | Optional' + AccountDeletionPolicy = 'String | Optional | immediate / diskSpaceThreshold / diskSpaceThresholdOrInactiveThreshold' + RemoveAccountsBelowDiskFreePercentage = 'UInt32 | Optional' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationTrustedCertificatePoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationVpnPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + ServerCollection = @( + @{ + IsDefaultServer = 'Boolean | Optional' + Description = 'String | Optional' + Address = 'String | Optional' + } + ) + CryptographySuite = @{ + CipherTransformConstants = 'String | Optional | aes256 / des / tripleDes / aes128 / aes128Gcm / aes256Gcm / aes192 / aes192Gcm / chaCha20Poly1305' + EncryptionMethod = 'String | Optional | aes256 / des / tripleDes / aes128 / aes128Gcm / aes256Gcm / aes192 / aes192Gcm / chaCha20Poly1305' + PfsGroup = 'String | Optional | pfs1 / pfs2 / pfs2048 / ecp256 / ecp384 / pfsMM / pfs24' + DhGroup = 'String | Optional | group1 / group2 / group14 / ecp256 / ecp384 / group24' + IntegrityCheckMethod = 'String | Optional | sha2_256 / sha1_96 / sha1_160 / sha2_384 / sha2_512 / md5' + AuthenticationTransformConstants = 'String | Optional | md5_96 / sha1_96 / sha_256_128 / aes128Gcm / aes192Gcm / aes256Gcm' + } + SingleSignOnEku = @{ + ObjectIdentifier = 'String | Optional' + Name = 'String | Optional' + } + ProxyServer = @{ + BypassProxyServerForLocalAddress = 'Boolean | Optional' + Address = 'String | Optional' + AutomaticConfigurationScriptUrl = 'String | Optional' + AutomaticallyDetectProxySettings = 'Boolean | Optional' + Port = 'UInt32 | Optional' + odataType = 'String | Optional | microsoft.graph.windows10VpnProxyServer / microsoft.graph.windows81VpnProxyServer' + } + AssociatedApps = @( + @{ + Identifier = 'String | Optional' + AppType = 'String | Optional | desktop / universal' + } + ) + DnsRules = @( + @{ + Servers = 'StringArray | Optional' + ProxyServerUri = 'String | Optional' + Name = 'String | Optional' + Persistent = 'Boolean | Optional' + AutoTrigger = 'Boolean | Optional' + } + ) + TrafficRules = @( + @{ + RemotePortRanges = @( + @{ + LowerNumber = 'UInt32 | Optional' + UpperNumber = 'UInt32 | Optional' + } + ) + Name = 'String | Optional' + AppId = 'String | Optional' + LocalPortRanges = @( + @{ + LowerNumber = 'UInt32 | Optional' + UpperNumber = 'UInt32 | Optional' + } + ) + AppType = 'String | Optional | none / desktop / universal' + LocalAddressRanges = @( + @{ + CidrAddress = 'String | Optional' + UpperAddress = 'String | Optional' + LowerAddress = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.iPv4CidrRange / microsoft.graph.iPv6CidrRange / microsoft.graph.iPv4Range / microsoft.graph.iPv6Range' + } + ) + RemoteAddressRanges = @( + @{ + CidrAddress = 'String | Optional' + UpperAddress = 'String | Optional' + LowerAddress = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.iPv4CidrRange / microsoft.graph.iPv6CidrRange / microsoft.graph.iPv4Range / microsoft.graph.iPv6Range' + } + ) + Claims = 'String | Optional' + Protocols = 'UInt32 | Optional' + RoutingPolicyType = 'String | Optional | none / splitTunnel / forceTunnel' + VpnTrafficDirection = 'String | Optional | outbound / inbound / unknownFutureValue' + } + ) + Routes = @( + @{ + PrefixSize = 'UInt32 | Optional' + DestinationPrefix = 'String | Optional' + } + ) + } + ) + DeviceConfigurationWindowsTeamPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceConfigurationWiredNetworkPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + DeviceEnrollmentLimitRestrictions = @( + @{} + ) + DeviceEnrollmentPlatformRestrictions = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + WindowsHomeSkuRestriction = @{ + PlatformBlocked = 'Boolean | Optional' + OsMinimumVersion = 'String | Optional' + BlockedSkus = 'StringArray | Optional' + BlockedManufacturers = 'StringArray | Optional' + OsMaximumVersion = 'String | Optional' + PersonalDeviceEnrollmentBlocked = 'Boolean | Optional' + } + AndroidRestriction = @{ + PlatformBlocked = 'Boolean | Optional' + OsMinimumVersion = 'String | Optional' + BlockedSkus = 'StringArray | Optional' + BlockedManufacturers = 'StringArray | Optional' + OsMaximumVersion = 'String | Optional' + PersonalDeviceEnrollmentBlocked = 'Boolean | Optional' + } + IosRestriction = @{ + PlatformBlocked = 'Boolean | Optional' + OsMinimumVersion = 'String | Optional' + BlockedSkus = 'StringArray | Optional' + BlockedManufacturers = 'StringArray | Optional' + OsMaximumVersion = 'String | Optional' + PersonalDeviceEnrollmentBlocked = 'Boolean | Optional' + } + WindowsRestriction = @{ + PlatformBlocked = 'Boolean | Optional' + OsMinimumVersion = 'String | Optional' + BlockedSkus = 'StringArray | Optional' + BlockedManufacturers = 'StringArray | Optional' + OsMaximumVersion = 'String | Optional' + PersonalDeviceEnrollmentBlocked = 'Boolean | Optional' + } + AndroidForWorkRestriction = @{ + PlatformBlocked = 'Boolean | Optional' + OsMinimumVersion = 'String | Optional' + BlockedSkus = 'StringArray | Optional' + BlockedManufacturers = 'StringArray | Optional' + OsMaximumVersion = 'String | Optional' + PersonalDeviceEnrollmentBlocked = 'Boolean | Optional' + } + MacOSRestriction = @{ + PlatformBlocked = 'Boolean | Optional' + OsMinimumVersion = 'String | Optional' + BlockedSkus = 'StringArray | Optional' + BlockedManufacturers = 'StringArray | Optional' + OsMaximumVersion = 'String | Optional' + PersonalDeviceEnrollmentBlocked = 'Boolean | Optional' + } + WindowsMobileRestriction = @{ + PlatformBlocked = 'Boolean | Optional' + OsMinimumVersion = 'String | Optional' + BlockedSkus = 'StringArray | Optional' + BlockedManufacturers = 'StringArray | Optional' + OsMaximumVersion = 'String | Optional' + PersonalDeviceEnrollmentBlocked = 'Boolean | Optional' + } + MacRestriction = @{ + PlatformBlocked = 'Boolean | Optional' + OsMinimumVersion = 'String | Optional' + BlockedSkus = 'StringArray | Optional' + BlockedManufacturers = 'StringArray | Optional' + OsMaximumVersion = 'String | Optional' + PersonalDeviceEnrollmentBlocked = 'Boolean | Optional' + } + } + ) + DeviceEnrollmentStatusPageWindows10s = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + EndpointDetectionAndResponsePoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + ExploitProtectionPoliciesWindows10SettingCatalog = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + PoliciesSets = @( + @{ + Items = @( + @{ + guidedDeploymentTags = 'StringArray | Optional' + payloadId = 'String | Optional' + displayName = 'String | Optional' + dataType = 'String | Optional' + itemType = 'String | Optional' + } + ) + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + RoleAssignments = @( + @{} + ) + RoleDefinitions = @( + @{} + ) + SettingCatalogASRRulesPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + SettingCatalogCustomPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + TemplateReference = @{ + TemplateId = 'String | Optional' + TemplateDisplayVersion = 'String | Optional' + TemplateDisplayName = 'String | Optional' + TemplateFamily = 'String | Optional | none / endpointSecurityAntivirus / endpointSecurityDiskEncryption / endpointSecurityFirewall / endpointSecurityEndpointDetectionAndResponse / endpointSecurityAttackSurfaceReduction / endpointSecurityAccountProtection / endpointSecurityApplicationControl / endpointSecurityEndpointPrivilegeManagement / enrollmentConfiguration / appQuietTime / baseline / unknownFutureValue / deviceConfigurationScripts' + } + Settings = @( + @{ + Id = 'String | Optional' + SettingInstance = @{ + SimpleSettingCollectionValue = @( + @{ + StringValue = 'String | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + IntValue = 'UInt32 | Optional' + SettingValueTemplateReference = @{ + useTemplateDefault = 'Boolean | Optional' + settingValueTemplateId = 'String | Optional' + } + Children = @( + @{ + SimpleSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ) + SettingDefinitionId = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationChoiceSettingInstance / microsoft.graph.deviceManagementConfigurationGroupSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationGroupSettingInstance / microsoft.graph.deviceManagementConfigurationSettingGroupCollectionInstance / microsoft.graph.deviceManagementConfigurationSettingGroupInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingInstance' + ChoiceSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + GroupSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + SettingInstanceTemplateReference = @{ + SettingInstanceTemplateId = 'String | Optional' + } + SimpleSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ChoiceSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + GroupSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + } + ) + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + } + ) + SettingDefinitionId = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationChoiceSettingInstance / microsoft.graph.deviceManagementConfigurationGroupSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationGroupSettingInstance / microsoft.graph.deviceManagementConfigurationSettingGroupCollectionInstance / microsoft.graph.deviceManagementConfigurationSettingGroupInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingInstance' + ChoiceSettingCollectionValue = @( + @{ + SettingValueTemplateReference = @{ + useTemplateDefault = 'Boolean | Optional' + settingValueTemplateId = 'String | Optional' + } + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + Children = @( + @{ + SimpleSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ) + SettingDefinitionId = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationChoiceSettingInstance / microsoft.graph.deviceManagementConfigurationGroupSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationGroupSettingInstance / microsoft.graph.deviceManagementConfigurationSettingGroupCollectionInstance / microsoft.graph.deviceManagementConfigurationSettingGroupInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingInstance' + ChoiceSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + GroupSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + SettingInstanceTemplateReference = @{ + SettingInstanceTemplateId = 'String | Optional' + } + SimpleSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ChoiceSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + GroupSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + } + ) + } + ) + GroupSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + SettingValueTemplateReference = @{ + useTemplateDefault = 'Boolean | Optional' + settingValueTemplateId = 'String | Optional' + } + Children = @( + @{ + SimpleSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ) + SettingDefinitionId = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationChoiceSettingInstance / microsoft.graph.deviceManagementConfigurationGroupSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationGroupSettingInstance / microsoft.graph.deviceManagementConfigurationSettingGroupCollectionInstance / microsoft.graph.deviceManagementConfigurationSettingGroupInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingInstance' + ChoiceSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + GroupSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + SettingInstanceTemplateReference = @{ + SettingInstanceTemplateId = 'String | Optional' + } + SimpleSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ChoiceSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + GroupSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + } + ) + } + SettingInstanceTemplateReference = @{ + SettingInstanceTemplateId = 'String | Optional' + } + SimpleSettingValue = @{ + StringValue = 'String | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + IntValue = 'UInt32 | Optional' + SettingValueTemplateReference = @{ + useTemplateDefault = 'Boolean | Optional' + settingValueTemplateId = 'String | Optional' + } + Children = @( + @{ + SimpleSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ) + SettingDefinitionId = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationChoiceSettingInstance / microsoft.graph.deviceManagementConfigurationGroupSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationGroupSettingInstance / microsoft.graph.deviceManagementConfigurationSettingGroupCollectionInstance / microsoft.graph.deviceManagementConfigurationSettingGroupInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingInstance' + ChoiceSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + GroupSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + SettingInstanceTemplateReference = @{ + SettingInstanceTemplateId = 'String | Optional' + } + SimpleSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ChoiceSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + GroupSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + } + ) + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + } + ChoiceSettingValue = @{ + SettingValueTemplateReference = @{ + useTemplateDefault = 'Boolean | Optional' + settingValueTemplateId = 'String | Optional' + } + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + Children = @( + @{ + SimpleSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ) + SettingDefinitionId = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationChoiceSettingInstance / microsoft.graph.deviceManagementConfigurationGroupSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationGroupSettingInstance / microsoft.graph.deviceManagementConfigurationSettingGroupCollectionInstance / microsoft.graph.deviceManagementConfigurationSettingGroupInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingInstance' + ChoiceSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + GroupSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + SettingInstanceTemplateReference = @{ + SettingInstanceTemplateId = 'String | Optional' + } + SimpleSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ChoiceSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + GroupSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + } + ) + } + GroupSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + SettingValueTemplateReference = @{ + useTemplateDefault = 'Boolean | Optional' + settingValueTemplateId = 'String | Optional' + } + Children = @( + @{ + SimpleSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ) + SettingDefinitionId = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationChoiceSettingInstance / microsoft.graph.deviceManagementConfigurationGroupSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationGroupSettingInstance / microsoft.graph.deviceManagementConfigurationSettingGroupCollectionInstance / microsoft.graph.deviceManagementConfigurationSettingGroupInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingCollectionInstance / microsoft.graph.deviceManagementConfigurationSimpleSettingInstance' + ChoiceSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + GroupSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + SettingInstanceTemplateReference = @{ + SettingInstanceTemplateId = 'String | Optional' + } + SimpleSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationIntegerSettingValue / microsoft.graph.deviceManagementConfigurationStringSettingValue / microsoft.graph.deviceManagementConfigurationSecretSettingValue' + IntValue = 'UInt32 | Optional' + ValueState = 'String | Optional | invalid / notEncrypted / encryptedValueToken' + StringValue = 'String | Optional' + } + ChoiceSettingValue = @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + GroupSettingCollectionValue = @( + @{ + odataType = 'String | Optional | microsoft.graph.deviceManagementConfigurationChoiceSettingValue / microsoft.graph.deviceManagementConfigurationGroupSettingValue / microsoft.graph.deviceManagementConfigurationSimpleSettingValue' + Value = 'String | Optional' + } + ) + } + ) + } + ) + } + } + ) + } + ) + WiFiConfigurationPoliciesAndroidDeviceAdministrator = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WifiConfigurationPoliciesAndroidEnterpriseDeviceOwner = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WifiConfigurationPoliciesAndroidEnterpriseWorkProfile = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WifiConfigurationPoliciesAndroidForWork = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WifiConfigurationPoliciesAndroidOpenSourceProject = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WifiConfigurationPoliciesIOS = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WifiConfigurationPoliciesMacOS = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WifiConfigurationPoliciesWindows10 = @( + @{ + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WindowsAutopilotDeploymentProfilesAzureADHybridJoined = @( + @{ + OutOfBoxExperienceSettings = @{ + HideEULA = 'Boolean | Optional' + HideEscapeLink = 'Boolean | Optional' + HidePrivacySettings = 'Boolean | Optional' + DeviceUsageType = 'String | Optional | singleUser / shared' + SkipKeyboardSelectionPage = 'Boolean | Optional' + UserType = 'String | Optional | administrator / standard' + } + EnrollmentStatusScreenSettings = @{ + HideInstallationProgress = 'Boolean | Optional' + BlockDeviceSetupRetryByUser = 'Boolean | Optional' + AllowLogCollectionOnInstallFailure = 'Boolean | Optional' + AllowDeviceUseBeforeProfileAndAppInstallComplete = 'Boolean | Optional' + InstallProgressTimeoutInMinutes = 'UInt32 | Optional' + CustomErrorMessage = 'String | Optional' + AllowDeviceUseOnInstallFailure = 'Boolean | Optional' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WindowsAutopilotDeploymentProfilesAzureADJoined = @( + @{ + OutOfBoxExperienceSettings = @{ + HideEULA = 'Boolean | Optional' + HideEscapeLink = 'Boolean | Optional' + HidePrivacySettings = 'Boolean | Optional' + DeviceUsageType = 'String | Optional | singleUser / shared' + SkipKeyboardSelectionPage = 'Boolean | Optional' + UserType = 'String | Optional | administrator / standard' + } + EnrollmentStatusScreenSettings = @{ + HideInstallationProgress = 'Boolean | Optional' + BlockDeviceSetupRetryByUser = 'Boolean | Optional' + AllowLogCollectionOnInstallFailure = 'Boolean | Optional' + AllowDeviceUseBeforeProfileAndAppInstallComplete = 'Boolean | Optional' + InstallProgressTimeoutInMinutes = 'UInt32 | Optional' + CustomErrorMessage = 'String | Optional' + AllowDeviceUseOnInstallFailure = 'Boolean | Optional' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WindowsInformationProtectionPoliciesWindows10MdmEnrolled = @( + @{ + EnterpriseProxyServers = @( + @{ + DisplayName = 'String | Optional' + Resources = 'StringArray | Optional' + } + ) + EnterpriseProxiedDomains = @( + @{ + DisplayName = 'String | Optional' + ProxiedDomains = @( + @{ + Proxy = 'String | Optional' + IpAddressOrFQDN = 'String | Optional' + } + ) + } + ) + EnterpriseInternalProxyServers = @( + @{ + DisplayName = 'String | Optional' + Resources = 'StringArray | Optional' + } + ) + SmbAutoEncryptedFileExtensions = @( + @{ + DisplayName = 'String | Optional' + Resources = 'StringArray | Optional' + } + ) + EnterpriseProtectedDomainNames = @( + @{ + DisplayName = 'String | Optional' + Resources = 'StringArray | Optional' + } + ) + ProtectedApps = @( + @{ + BinaryVersionLow = 'String | Optional' + Description = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.windowsInformationProtectionDesktopApp / microsoft.graph.windowsInformationProtectionStoreApp' + BinaryName = 'String | Optional' + BinaryVersionHigh = 'String | Optional' + Denied = 'Boolean | Optional' + PublisherName = 'String | Optional' + ProductName = 'String | Optional' + DisplayName = 'String | Optional' + } + ) + DataRecoveryCertificate = @{ + Description = 'String | Optional' + SubjectName = 'String | Optional' + ExpirationDateTime = 'String | Optional' + Certificate = 'String | Optional' + } + EnterpriseNetworkDomainNames = @( + @{ + DisplayName = 'String | Optional' + Resources = 'StringArray | Optional' + } + ) + ExemptApps = @( + @{ + BinaryVersionLow = 'String | Optional' + Description = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.windowsInformationProtectionDesktopApp / microsoft.graph.windowsInformationProtectionStoreApp' + BinaryName = 'String | Optional' + BinaryVersionHigh = 'String | Optional' + Denied = 'Boolean | Optional' + PublisherName = 'String | Optional' + ProductName = 'String | Optional' + DisplayName = 'String | Optional' + } + ) + EnterpriseIPRanges = @( + @{ + DisplayName = 'String | Optional' + Ranges = @( + @{ + CidrAddress = 'String | Optional' + UpperAddress = 'String | Optional' + LowerAddress = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.iPv4CidrRange / microsoft.graph.iPv6CidrRange / microsoft.graph.iPv4Range / microsoft.graph.iPv6Range' + } + ) + } + ) + NeutralDomainResources = @( + @{ + DisplayName = 'String | Optional' + Resources = 'StringArray | Optional' + } + ) + } + ) + WindowsUpdateForBusinessFeatureUpdateProfilesWindows10 = @( + @{ + RolloutSettings = @{ + OfferEndDateTimeInUTC = 'String | Optional' + OfferStartDateTimeInUTC = 'String | Optional' + OfferIntervalInDays = 'UInt32 | Optional' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WindowsUpdateForBusinessRingUpdateProfilesWindows10 = @( + @{ + InstallationSchedule = @{ + ActiveHoursStart = 'String | Optional' + ScheduledInstallTime = 'String | Optional' + ScheduledInstallDay = 'String | Optional | userDefined / everyday / sunday / monday / tuesday / wednesday / thursday / friday / saturday / noScheduledScan' + ActiveHoursEnd = 'String | Optional' + odataType = 'String | Optional | microsoft.graph.windowsUpdateActiveHoursInstall / microsoft.graph.windowsUpdateScheduledInstall' + } + Assignments = @( + @{ + deviceAndAppManagementAssignmentFilterType = 'String | Optional | none / include / exclude' + collectionId = 'String | Optional' + dataType = 'String | Optional | microsoft.graph.groupAssignmentTarget / microsoft.graph.allLicensedUsersAssignmentTarget / microsoft.graph.allDevicesAssignmentTarget / microsoft.graph.exclusionGroupAssignmentTarget / microsoft.graph.configurationManagerCollectionAssignmentTarget' + deviceAndAppManagementAssignmentFilterId = 'String | Optional' + groupId = 'String | Optional' + } + ) + } + ) + WindowsUpdateForBusinessRingUpdateProfileWindows10s = @( + @{} + ) + }#> + } +} diff --git a/_Temp/Demo/_Get-(ChildNode)Node.ps1 b/_Temp/Demo/_Get-(ChildNode)Node.ps1 new file mode 100644 index 0000000..003efc0 --- /dev/null +++ b/_Temp/Demo/_Get-(ChildNode)Node.ps1 @@ -0,0 +1,43 @@ +$Soesterberg = Import-PowerShellDataFile $PSScriptRoot\Soesterberg.psd1 -SkipLimitCheck + +$Soesterberg.AllNodes.NodeName = 'localhost2' # InvalidOperation: The property 'NodeName' cannot be found on this object. Verify that the property exists and can be set. + +$Soesterberg | Get-ChildNode +$Soesterberg | Get-ChildNode NodeName -Recurse + +$Soesterberg | Get-ChildNode *Group* -Recurse +$Soesterberg | Get-ChildNode *Group* -Recurse -Leaf + +$Soesterberg.NonNodeData.Teams.GroupPoliciesAssignment[0].GroupDisplayName +$MyGroupNode = $Soesterberg | Get-Node NonNodeData.Teams.GroupPoliciesAssignment[0].GroupDisplayName +$MyGroupNode | Select-Object * +$MyGroupNode.ParentNode | Select-Object * +$MyGroupNode.ParentNode.ChildNodes + +$Soesterberg | Get-Node ~UniqueId +$Soesterberg | Get-Node ~UniqueId=AllMailTips +$Soesterberg | Get-Node ~UniqueId=AllMailTips..Organization +$MailOrg = $Soesterberg | Get-Node ~UniqueId=AllMailTips..Organization +$MailOrg.Value +$MailOrg.Value = 'gouda.onmicrosoft.com' + +$Soesterberg | ConvertTo-Expression + +$MailOrg.PSNodeType +$MailOrg | Get-Member + +$MailOrg.ParentNode +$MailOrg.ParentNode.PSNodeType +$MailOrg.ParentNode | Get-Member + +$MailOrg.ParentNode.Add('Foo', 'Bar') +$MailOrg.ParentNode.Remove('Foo') + +$Test = $Soesterberg | Copy-ObjectGraph +$Soesterberg | ConvertTo-Expression -LanguageMode Full +$Test = $Soesterberg | Copy-ObjectGraph -MapAs PSCustomObject +$Test | ConvertTo-Expression -LanguageMode Full + + + +# UniqueID \ No newline at end of file diff --git a/_Temp/HiddenMembers/Hidden.ps1 b/_Temp/HiddenMembers/Hidden.ps1 new file mode 100644 index 0000000..44d7b0e --- /dev/null +++ b/_Temp/HiddenMembers/Hidden.ps1 @@ -0,0 +1,19 @@ +class MyClass { + MyClass() { + $TargetType = 'MyClass' -as [Type] + $Method = $TargetType.GetMethod('MyMethod') + $Attributes = $Method.GetCustomAttributes($false) + # $HiddenAttribute = $Attributes | Where-Object { $_ -is [System.Management.Automation.HiddenAttribute] } + # $Attributes.Remove($HiddenAttribute) + # foreach ($Attribute in $Attributes) { + # Write-Host ($Attribute | get-member | Out-String) + # } + } + hidden MyHiddenMethod() { } + MyMethod() { } +} + +$MyInstance = [MyClass]::new() + +$MyInstance | Get-Member + diff --git a/_Temp/HiddenMembers/Hidden2.ps1 b/_Temp/HiddenMembers/Hidden2.ps1 new file mode 100644 index 0000000..85962b1 --- /dev/null +++ b/_Temp/HiddenMembers/Hidden2.ps1 @@ -0,0 +1,19 @@ +class MyClass { + MyClass() { + $Method = { 'Hello World' } + $Method.PSTypeNames.Insert([System.Management.Automation.HiddenAttribute]) + $TypeData = @{ + TypeName = 'MyClass' + MemberType = 'ScriptMethod' + MemberName = 'MyMethod' + Value = $Method + } + Update-TypeData @TypeData + } +} + +$MyInstance = [MyClass]::new() + +$MyInstance | Get-Member + +$a = [System.Management.Automation.HiddenAttribute]{ return "Hello World" } \ No newline at end of file diff --git a/_Temp/HiddenMembers/Hidden3.ps1 b/_Temp/HiddenMembers/Hidden3.ps1 new file mode 100644 index 0000000..4a889eb --- /dev/null +++ b/_Temp/HiddenMembers/Hidden3.ps1 @@ -0,0 +1,15 @@ +class MyClass { + static MyClass() { + $TypeData = @{ + TypeName = 'MyClass' + MemberType = 'ScriptMethod' + MemberName = 'MyMethod' + Value = { 'Hello World' } + } + Update-TypeData @TypeData + } +} + +$MyInstance = [MyClass]::new() + +$MyInstance.MyMethod() \ No newline at end of file diff --git a/_Temp/HiddenMembers/Secret.ps1 b/_Temp/HiddenMembers/Secret.ps1 new file mode 100644 index 0000000..4c031bb --- /dev/null +++ b/_Temp/HiddenMembers/Secret.ps1 @@ -0,0 +1,15 @@ +class MyClass { + [string] Get_Secret() { return "hidden stuff" } +} + +$inst = [MyClass]::new() +$ps = [PSCustomObject]@{ Base = $inst } +$ps | Add-Member ScriptProperty Secret { $this.Base.Get_Secret() } +$ps.PSObject.Members["Secret"].IsHidden = $true + + +# $ps | Get-Member -force + + +# class MyClass { hidden [string]$Secret = 'Hidden property' }; $inst = [MyClass]::new(); $ps = [PSCustomObject]@{ Base = $inst }; $ps.PSObject.Members["Secret"] + diff --git a/_Temp/HiddenMembers/ToString.ps1 b/_Temp/HiddenMembers/ToString.ps1 new file mode 100644 index 0000000..5f1b018 --- /dev/null +++ b/_Temp/HiddenMembers/ToString.ps1 @@ -0,0 +1,8 @@ +class CommandName { + hidden [string] $Alias = 'gci' + [string] ToString() { return 'Get-ChildItem' } +} + +$CommandName = [CommandName]::new() +$CommandName # yields Get-ChildItem +$CommandName.Alias # yields gci \ No newline at end of file diff --git a/_Temp/Invoke-SortObjectGraph.ps1 b/_Temp/Invoke-SortObjectGraph.ps1 new file mode 100644 index 0000000..1952461 --- /dev/null +++ b/_Temp/Invoke-SortObjectGraph.ps1 @@ -0,0 +1,98 @@ +using module .\..\..\..\ObjectGraphTools + +<# +.SYNOPSIS +Sort an object graph + +.DESCRIPTION +Recursively sorts an object graph. + +> [!WARNING](#warning) +> `Sort-ObjectGraph` is an alias for `Invoke-SortObjectGraph` but to avoid "unapproved verb" warnings during the +> module import a different cmdlet name used. See: +> [Give the script author the ability to disable the unapproved verbs warning][https://github.com/PowerShell/PowerShell/issues/25642] + +.PARAMETER InputObject +The input object that will be recursively sorted. + +> [!NOTE] +> Multiple input object might be provided via the pipeline. +> The common PowerShell behavior is to unroll any array (aka list) provided by the pipeline. +> To avoid a list of (root) objects to unroll, use the **comma operator**: + + ,$InputObject | Sort-Object. + +.PARAMETER PrimaryKey +Any primary key defined by the [-PrimaryKey] parameter will be put on top of [-InputObject] +independent of the (descending) sort order. + +It is allowed to supply multiple primary keys. + +.PARAMETER MatchCase +(Alias `-CaseSensitive`) Indicates that the sort is case-sensitive. By default, sorts aren't case-sensitive. + +.PARAMETER Descending +Indicates that Sort-Object sorts the objects in descending order. The default is ascending order. + +> [!NOTE] +> Primary keys (see: [-PrimaryKey]) will always put on top. + +.PARAMETER MaxDepth +The maximal depth to recursively compare each embedded property (default: 10). +#> + +[Alias('Sort-ObjectGraph', 'sro')] +[Diagnostics.CodeAnalysis.SuppressMessage('PSUseApprovedVerbs', '')] +[CmdletBinding(HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Sort-ObjectGraph.md')][OutputType([Object[]])] param( + + [Parameter(Mandatory = $true, ValueFromPipeLine = $True)] + $InputObject, + + [Alias('By')][String[]]$PrimaryKey, + + [Alias('CaseSensitive')] + [Switch]$MatchCase, + + [Switch]$Descending, + + [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth +) +begin { + $ObjectComparison = [ObjectComparison]0 + if ($MatchCase) { $ObjectComparison = $ObjectComparison -bor [ObjectComparison]'MatchCase'} + if ($Descending) { $ObjectComparison = $ObjectComparison -bor [ObjectComparison]'Descending'} + # As the child nodes are sorted first, we just do a side-by-side node compare: + $ObjectComparison = $ObjectComparison -bor [ObjectComparison]'MatchMapOrder' + + $PSListNodeComparer = [PSListNodeComparer]@{ PrimaryKey = $PrimaryKey; ObjectComparison = $ObjectComparison } + $PSMapNodeComparer = [PSMapNodeComparer]@{ PrimaryKey = $PrimaryKey; ObjectComparison = $ObjectComparison } + + function SortRecurse([PSCollectionNode]$Node, [PSListNodeComparer]$PSListNodeComparer, [PSMapNodeComparer]$PSMapNodeComparer) { + $NodeList = $Node.GetNodeList() + for ($i = 0; $i -lt $NodeList.Count; $i++) { + if ($NodeList[$i] -is [PSCollectionNode]) { + $NodeList[$i] = SortRecurse $NodeList[$i] -PSListNodeComparer $PSListNodeComparer -PSMapNodeComparer $PSMapNodeComparer + } + } + if ($Node -is [PSListNode]) { + $NodeList.Sort($PSListNodeComparer) + if ($NodeList.Count) { $Node.Value = @($NodeList.Value) } else { $Node.Value = @() } + } + else { # if ($Node -is [PSMapNode]) + $NodeList.Sort($PSMapNodeComparer) + $Properties = [System.Collections.Specialized.OrderedDictionary]::new([StringComparer]::Ordinal) + foreach($ChildNode in $NodeList) { $Properties[[Object]$ChildNode.Name] = $ChildNode.Value } # [Object] forces a key rather than an index (ArgumentOutOfRangeException) + if ($Node -is [PSObjectNode]) { $Node.Value = [PSCustomObject]$Properties } else { $Node.Value = $Properties } + } + $Node + } +} + +process { + $Node = [PSNode]::ParseInput($InputObject, $MaxDepth) + if ($Node -is [PSCollectionNode]) { + $Node = SortRecurse $Node -PSListNodeComparer $PSListNodeComparer -PSMapNodeComparer $PSMapNodeComparer + } + $Node.Value +} + diff --git a/_Temp/Mock.ps1 b/_Temp/Mock.ps1 new file mode 100644 index 0000000..20ca243 --- /dev/null +++ b/_Temp/Mock.ps1 @@ -0,0 +1,13 @@ +Describe 'Test' { + + BeforeAll { + # Mock Get-Date { 1 / 0 } + New-Item -Path Function:Get-Date -Value { 1 / 0 } + } + + Context 'Context' { + It 'It' { + Get-Date | Should -be Something + } + } +} \ No newline at end of file diff --git a/_Temp/MyMethod.json b/_Temp/MyMethod.json new file mode 100644 index 0000000..7a10315 --- /dev/null +++ b/_Temp/MyMethod.json @@ -0,0 +1,8354 @@ +{ + "Name": "MyMethod", + "DeclaringType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Runtime.InteropServices.StructLayoutAttribute", + "AssemblyQualifiedName": "System.Runtime.InteropServices.StructLayoutAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System.Runtime.InteropServices", + "GUID": "b339a75d-a159-31c6-9265-23e3ba224d71", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "StructLayoutAttribute", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.Attribute", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33556012, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Runtime.InteropServices.StructLayoutAttribute", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor(System.Runtime.InteropServices.LayoutKind) Void .ctor(Int16)", + "DeclaredEvents": "", + "DeclaredFields": "System.Runtime.InteropServices.LayoutKind k__BackingField Int32 Pack Int32 Size System.Runtime.InteropServices.CharSet CharSet", + "DeclaredMembers": "System.Runtime.InteropServices.LayoutKind get_Value() Void .ctor(System.Runtime.InteropServices.LayoutKind) Void .ctor(Int16) System.Runtime.InteropServices.LayoutKind Value System.Runtime.InteropServices.LayoutKind k__BackingField Int32 Pack Int32 Size System.Runtime.InteropServices.CharSet CharSet", + "DeclaredMethods": "System.Runtime.InteropServices.LayoutKind get_Value()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "System.Runtime.InteropServices.LayoutKind Value", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048833, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "[System.AttributeUsageAttribute((System.AttributeTargets)12, Inherited = False)]" + } + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": { + "CodeBase": null, + "FullName": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "EntryPoint": null, + "DefinedTypes": [ + "MyClass", + "MyClass_" + ], + "IsCollectible": true, + "ManifestModule": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "" + }, + "ReflectionOnly": false, + "Location": "", + "ImageRuntimeVersion": "", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": true, + "ExportedTypes": [ + "MyClass" + ], + "IsFullyTrusted": true, + "CustomAttributes": [ + "[System.Management.Automation.DynamicClassImplementationAssemblyAttribute(ScriptFile = \"C:\\Users\\Gebruiker\\OneDrive\\Scripts\\PowerShell\\PowerSnippets\\ObjectGraph\\ObjectGraphTools\\_Temp\\Hidden.ps1\")]" + ], + "EscapedCodeBase": null, + "Modules": [ + "RefEmit_InMemoryManifestModule" + ], + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Object", + "AssemblyQualifiedName": "System.Object, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "ff77e388-6558-35eb-89cb-5ef50f4b9be2", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Object", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Private.CoreLib.dll", + "FullName": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "EntryPoint": null, + "DefinedTypes": "Interop Interop+OleAut32 Interop+Globalization Interop+Globalization+ResultCode Interop+BOOL Interop+Kernel32 Interop+Kernel32+NlsVersionInfoEx Interop+Kernel32+OVERLAPPED_ENTRY Interop+Kernel32+CONDITION_VARIABLE Interop+Kernel32+BY_HANDLE_FILE_INFORMATION Interop+Kernel32+CRITICAL_SECTION Interop+Kernel32+FILE_BASIC_INFO Interop+Kernel32+FILE_ALLOCATION_INFO Interop+Kernel32+FILE_END_OF_FILE_INFO Interop+Kernel32+FILE_STANDARD_INFO Interop+Kernel32+FILE_TIME Interop+Kernel32+FINDEX_INFO_LEVELS Interop+Kernel32+FINDEX_SEARCH_OPS Interop+Kernel32+GET_FILEEX_INFO_LEVELS Interop+Kernel32+CPINFO Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+PROCESS_MEMORY_COUNTERS Interop+Kernel32+MEMORY_BASIC_INFORMATION Interop+Kernel32+MEMORYSTATUSEX Interop+Kernel32+SymbolicLinkReparseBuffer Interop+Kernel32+MountPointReparseBuffer Interop+Kernel32+SECURITY_ATTRIBUTES Interop+Kernel32+STORAGE_READ_CAPACITY Interop+Kernel32+SYSTEM_INFO Interop+Kernel32+SYSTEMTIME Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+REG_TZI_FORMAT Interop+Kernel32+WIN32_FILE_ATTRIBUTE_DATA Interop+Kernel32+WIN32_FIND_DATA Interop+Kernel32+WIN32_FIND_DATA+<_cAlternateFileName>e__FixedBuffer Interop+Kernel32+WIN32_FIND_DATA+<_cFileName>e__FixedBuffer Interop+Kernel32+PROCESSOR_NUMBER Interop+Normaliz Interop+HostPolicy Interop+HostPolicy+corehost_resolve_component_dependencies_result_fn Interop+HostPolicy+corehost_error_writer_fn Interop+Advapi32 Interop+Advapi32+ActivityControl Interop+Advapi32+EVENT_FILTER_DESCRIPTOR Interop+Advapi32+EVENT_INFO_CLASS Interop+Advapi32+TRACE_QUERY_INFO_CLASS Interop+Advapi32+TRACE_GUID_INFO Interop+Advapi32+TRACE_PROVIDER_INSTANCE_INFO Interop+Advapi32+TRACE_ENABLE_INFO Interop+Advapi32+TOKEN_ELEVATION Interop+Advapi32+TOKEN_INFORMATION_CLASS Interop+BCrypt Interop+BCrypt+NTSTATUS Interop+Crypt32 Interop+BOOLEAN Interop+NtDll Interop+NtDll+CreateDisposition Interop+NtDll+CreateOptions Interop+NtDll+DesiredAccess Interop+NtDll+IO_STATUS_BLOCK Interop+NtDll+IO_STATUS_BLOCK+IO_STATUS Interop+NtDll+FILE_FULL_DIR_INFORMATION Interop+NtDll+FILE_INFORMATION_CLASS Interop+NtDll+RTL_OSVERSIONINFOEX Interop+NtDll+RTL_OSVERSIONINFOEX+e__FixedBuffer Interop+NtDll+SYSTEM_LEAP_SECOND_INFORMATION Interop+StatusOptions Interop+UNICODE_STRING Interop+SECURITY_QUALITY_OF_SERVICE Interop+ImpersonationLevel Interop+ContextTrackingMode Interop+OBJECT_ATTRIBUTES Interop+ObjectAttributes Interop+Ole32 Interop+Secur32 Interop+Shell32 Interop+Ucrtbase Interop+User32 Interop+User32+USEROBJECTFLAGS Interop+LongFileTime Microsoft.Win32.OAVariantLib Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource+<>c Microsoft.Win32.SafeHandles.SafeWaitHandle Microsoft.Win32.SafeHandles.SafeTokenHandle Microsoft.Win32.SafeHandles.SafeThreadHandle Microsoft.Win32.SafeHandles.SafeFindHandle Microsoft.Win32.SafeHandles.SafeThreadPoolIOHandle System.__Canon System.ArgIterator System.ArgIterator+SigPointer System.Array System.Array+ArrayAssignType System.Array+ArrayInitializeCache System.Array+EmptyArray`1[T] System.Array+SorterObjectArray System.Array+SorterGenericArray System.SZArrayHelper System.Attribute System.BadImageFormatException System.Buffer System.ComAwareWeakReference System.ComAwareWeakReference+ComInfo System.Currency System.Decimal System.Decimal+DecCalc System.Decimal+DecCalc+PowerOvfl System.Decimal+DecCalc+Buf12 System.Decimal+DecCalc+Buf16 System.Decimal+DecCalc+Buf24 System.Decimal+DecCalc+Buf28 System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.DelegateBindingFlags System.Enum System.Enum+EnumInfo`1[TStorage] System.Enum+<>c__62`1[TStorage] System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Environment+WindowsVersion System.Exception System.Exception+ExceptionMessageKind System.Exception+DispatchState System.GCCollectionMode System.GCNotificationStatus System.GC System.GC+GC_ALLOC_FLAGS System.GC+StartNoGCRegionStatus System.GC+EndNoGCRegionStatus System.GC+NoGCRegionCallbackFinalizerWorkItem System.GC+EnableNoGCRegionCallbackStatus System.GC+GCConfigurationContext System.GC+GCConfigurationType System.GC+RefreshMemoryStatus System.GC+GCHeapHardLimitInfo System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeTypeHandle+IntroducedMethodEnumerator System.RuntimeMethodHandleInternal System.RuntimeMethodInfoStub System.IRuntimeMethodInfo System.RuntimeMethodHandle System.RuntimeFieldHandleInternal System.IRuntimeFieldInfo System.RuntimeFieldInfoStub System.RuntimeFieldHandle System.ModuleHandle System.Signature System.Resolver System.Resolver+CORINFO_EH_CLAUSE System.RuntimeType System.RuntimeType+ActivatorCache System.RuntimeType+MemberListType System.RuntimeType+ListBuilder`1[T] System.RuntimeType+RuntimeTypeCache System.RuntimeType+RuntimeTypeCache+CacheType System.RuntimeType+RuntimeTypeCache+Filter System.RuntimeType+RuntimeTypeCache+MemberInfoCache`1[T] System.RuntimeType+RuntimeTypeCache+FunctionPointerCache System.RuntimeType+DispatchWrapperType System.RuntimeType+BoxCache System.RuntimeType+CreateUninitializedCache System.RuntimeType+CompositeCacheEntry System.RuntimeType+IGenericCacheEntry System.RuntimeType+IGenericCacheEntry`1[TCache] System.RuntimeType+CheckValueStatus System.TypeNameFormatFlags System.TypeNameKind System.MdUtf8String System.StartupHookProvider System.StartupHookProvider+StartupHookNameOrPath System.String System.String+SearchValuesStorage System.Type System.Type+<>c System.TypedReference System.TypeLoadException System.ValueType System.ValueType+ValueTypeHashCodeStrategy System.__ComObject System.OleAutBinder System.Variant System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppContextConfigHelper System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArrayEnumerator System.SZGenericArrayEnumeratorBase System.SZGenericArrayEnumerator`1[T] System.GenericEmptyEnumeratorBase System.GenericEmptyEnumerator`1[T] System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.ByReference System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.CurrentSystemTimeZone System.DataMisalignedException System.DateOnly System.DateOnly+<>c System.DateTime System.DateTime+LeapSecondCache System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DefaultBinder System.DefaultBinder+Primitives System.DefaultBinder+BinderState System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.Empty System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfoData System.GCMemoryInfo System.Gen2GcCallback System.DateTimeFormat System.DateTimeParse System.DateTimeParse+DTT System.DateTimeParse+TM System.DateTimeParse+DS System.__DTString System.DTSubStringType System.DTSubString System.DateTimeToken System.DateTimeRawInfo System.ParseFailureKind System.ParseFlags System.DateTimeResult System.ParsingInfo System.TokenType System.Guid System.Guid+GuidParseThrowStyle System.Guid+ParseFailure System.Guid+GuidResult System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.TwoObjects System.ThreeObjects System.EightObjects System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtfChar`1[TSelf] System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.LazyState System.LazyHelper System.Lazy`1[T] System.LazyDebugView`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalAppContextSwitches System.LocalDataStoreSlot System.MarshalByRefObject System.Marvin System.MemberAccessException System.Memory`1[T] System.MemoryDebugView`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+SpanSplitEnumeratorMode System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.Number System.Number+BigInteger System.Number+BigInteger+<_blocks>e__FixedBuffer System.Number+DiyFp System.Number+Grisu3 System.Number+IHexOrBinaryParser`1[TInteger] System.Number+HexParser`1[TInteger] System.Number+BinaryParser`1[TInteger] System.Number+NumberBuffer System.Number+NumberBufferKind System.Number+ParsingStatus System.IBinaryIntegerParseAndFormatInfo`1[TSelf] System.IBinaryFloatParseAndFormatInfo`1[TSelf] System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.ParseNumbers System.PasteArguments System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.ProgressStatics System.Random System.Random+ThreadSafeRandom System.Random+ImplBase System.Random+Net5CompatSeedImpl System.Random+Net5CompatDerivedImpl System.Random+CompatPrng System.Random+XoshiroImpl System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.SpanDebugView`1[T] System.SpanHelpers System.SpanHelpers+ComparerComparable`2[T,TComparer] System.SpanHelpers+Block16 System.SpanHelpers+Block64 System.SpanHelpers+INegator`1[T] System.SpanHelpers+DontNegate`1[T] System.SpanHelpers+Negate`1[T] System.PackedSpanHelpers System.PackedSpanHelpers+ITransform System.PackedSpanHelpers+NopTransform System.PackedSpanHelpers+Or20Transform System.SR System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.OrdinalCaseSensitiveComparer System.OrdinalIgnoreCaseComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.ThrowHelper System.ExceptionArgument System.ExceptionResource System.TimeOnly System.TimeOnly+<>c System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TimeZoneInfoResult System.TimeZoneInfo+CachedData System.TimeZoneInfo+StringSerializer System.TimeZoneInfo+StringSerializer+State System.TimeZoneInfo+TransitionTime System.TimeZoneInfo+OffsetAndRule System.TimeZoneInfo+<>c System.TimeZoneInfoOptions System.TimeZoneNotFoundException System.ITupleInternal System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleSlim`2[T1,T2] System.TupleSlim`3[T1,T2,T3] System.TupleSlim`4[T1,T2,T3,T4] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.IValueTupleInternal System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.TimeProvider+SystemTimeProviderTimer System.TimeProvider+SystemTimeProvider System.HexConverter System.HexConverter+Casing System.HexConverter+<>c System.NotImplemented System.Sha1ForNonSecretPurposes System.FixedBufferExtensions System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Private.CoreLib.Strings System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecureString+UnmanagedBuffer System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityElement+<>c System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.FastResourceComparer System.Resources.FileBasedResourceGroveler System.Resources.IResourceGroveler System.Resources.IResourceReader System.Resources.ManifestBasedResourceGroveler System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceFallbackManager System.Resources.ResourceFallbackManager+d__5 System.Resources.ResourceManager System.Resources.ResourceManager+CultureNameResourceSetPair System.Resources.ResourceManager+ResourceManagerMediator System.Resources.ResourceReader System.Resources.ResourceReader+ResourceEnumerator System.Resources.ResourceReader+<>c__DisplayClass7_0`1[TInstance] System.Resources.ResourceLocator System.Resources.ResourceSet System.Resources.ResourceTypeCode System.Resources.RuntimeResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.BitOperations+Crc32Fallback System.Numerics.Matrix3x2 System.Numerics.Matrix3x2+Impl System.Numerics.Matrix4x4 System.Numerics.Matrix4x4+Impl System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.VectorDebugView`1[T] System.Numerics.Crc32ReflectedTable System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Net.WebUtility+UrlDecoder System.Net.WebUtility+HtmlEntities System.Net.WebUtility+<>c System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarData System.Globalization.CalendarData+IcuEnumCalendarsData System.Globalization.CalendarData+EnumData System.Globalization.CalendarData+NlsEnumCalendarsData System.Globalization.CalendarData+<>c System.Globalization.CalendarDataType System.Globalization.CalendarWeekRule System.Globalization.CalendricalCalculationsHelper System.Globalization.CalendricalCalculationsHelper+CorrectionAlgorithm System.Globalization.CalendricalCalculationsHelper+EphemerisCorrectionAlgorithmMap System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareInfo+SortHandleCache System.Globalization.CompareOptions System.Globalization.CultureData System.Globalization.CultureData+LocaleStringData System.Globalization.CultureData+LocaleGroupingData System.Globalization.CultureData+LocaleNumberData System.Globalization.CultureData+EnumLocaleData System.Globalization.CultureData+EnumData System.Globalization.CultureInfo System.Globalization.CultureInfo+<>O System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.MonthNameStyles System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo+TokenHashValue System.Globalization.FORMATFLAGS System.Globalization.CalendarId System.Globalization.DateTimeFormatInfoScanner System.Globalization.DateTimeFormatInfoScanner+FoundDatePattern System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DaylightTimeStruct System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GlobalizationMode System.Globalization.GlobalizationMode+Settings System.Globalization.GregorianCalendar System.Globalization.EraInfo System.Globalization.GregorianCalendarHelper System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HebrewCalendar+DateBuffer System.Globalization.HebrewNumberParsingContext System.Globalization.HebrewNumberParsingState System.Globalization.HebrewNumber System.Globalization.HebrewNumber+HebrewToken System.Globalization.HebrewNumber+HebrewValue System.Globalization.HebrewNumber+HS System.Globalization.HijriCalendar System.Globalization.IcuLocaleDataParts System.Globalization.IcuLocaleData System.Globalization.IdnMapping System.Globalization.InvariantModeCasing System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseCalendar+<>O System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.Normalization System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.Ordinal System.Globalization.OrdinalCasing System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.StrongBidiCategory System.Globalization.SurrogateCasing System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.TextInfo+Tristate System.Globalization.TextInfo+ToUpperConversion System.Globalization.TextInfo+ToLowerConversion System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanFormat System.Globalization.TimeSpanFormat+StandardFormat System.Globalization.TimeSpanFormat+FormatLiterals System.Globalization.TimeSpanParse System.Globalization.TimeSpanParse+TimeSpanStandardStyles System.Globalization.TimeSpanParse+TTT System.Globalization.TimeSpanParse+TimeSpanToken System.Globalization.TimeSpanParse+TimeSpanTokenizer System.Globalization.TimeSpanParse+TimeSpanRawInfo System.Globalization.TimeSpanParse+TimeSpanResult System.Globalization.TimeSpanParse+StringParser System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UmAlQuraCalendar+DateMapping System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.CodeDom.Compiler.IndentedTextWriter+d__23 System.CodeDom.Compiler.IndentedTextWriter+d__38 System.CodeDom.Compiler.IndentedTextWriter+d__39 System.CodeDom.Compiler.IndentedTextWriter+d__40 System.CodeDom.Compiler.IndentedTextWriter+d__41 System.CodeDom.Compiler.IndentedTextWriter+d__42 System.CodeDom.Compiler.IndentedTextWriter+d__61 System.CodeDom.Compiler.IndentedTextWriter+d__62 System.CodeDom.Compiler.IndentedTextWriter+d__63 System.CodeDom.Compiler.IndentedTextWriter+d__64 System.CodeDom.Compiler.IndentedTextWriter+d__65 System.CodeDom.Compiler.IndentedTextWriter+d__66 System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.SpanFunc`5[TSpan,T1,T2,T3,TResult] System.Buffers.ArrayPool`1[T] System.Buffers.ArrayPoolEventSource System.Buffers.ArrayPoolEventSource+BufferAllocatedReason System.Buffers.ArrayPoolEventSource+BufferDroppedReason System.Buffers.ConfigurableArrayPool`1[T] System.Buffers.ConfigurableArrayPool`1+Bucket[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SharedArrayPool`1[T] System.Buffers.SharedArrayPool`1+<>c[T] System.Buffers.SharedArrayPoolThreadLocalArray System.Buffers.SharedArrayPoolPartitions System.Buffers.SharedArrayPoolPartitions+Partition System.Buffers.SharedArrayPoolStatics System.Buffers.Utilities System.Buffers.Utilities+MemoryPressure System.Buffers.Any1CharPackedSearchValues System.Buffers.Any1CharPackedIgnoreCaseSearchValues System.Buffers.Any2CharPackedIgnoreCaseSearchValues System.Buffers.Any3CharPackedSearchValues System.Buffers.Any2CharPackedSearchValues System.Buffers.Any1SearchValues`2[T,TImpl] System.Buffers.Any2SearchValues`2[T,TImpl] System.Buffers.Any3SearchValues`2[T,TImpl] System.Buffers.BitVector256 System.Buffers.BitVector256+<_values>e__FixedBuffer System.Buffers.ProbabilisticMapState System.Buffers.ProbabilisticWithAsciiCharSearchValues`1[TOptimizations] System.Buffers.Any4SearchValues`2[T,TImpl] System.Buffers.Any5SearchValues`2[T,TImpl] System.Buffers.AsciiByteSearchValues System.Buffers.AsciiCharSearchValues`1[TOptimizations] System.Buffers.IndexOfAnyAsciiSearcher System.Buffers.IndexOfAnyAsciiSearcher+AsciiState System.Buffers.IndexOfAnyAsciiSearcher+AnyByteState System.Buffers.IndexOfAnyAsciiSearcher+INegator System.Buffers.IndexOfAnyAsciiSearcher+DontNegate System.Buffers.IndexOfAnyAsciiSearcher+Negate System.Buffers.IndexOfAnyAsciiSearcher+IOptimizations System.Buffers.IndexOfAnyAsciiSearcher+Ssse3AndWasmHandleZeroInNeedle System.Buffers.IndexOfAnyAsciiSearcher+Default System.Buffers.IndexOfAnyAsciiSearcher+IResultMapper`2[T,TResult] System.Buffers.IndexOfAnyAsciiSearcher+ContainsAnyResultMapper`1[T] System.Buffers.IndexOfAnyAsciiSearcher+IndexOfAnyResultMapper`1[T] System.Buffers.AnyByteSearchValues System.Buffers.RangeByteSearchValues System.Buffers.RangeCharSearchValues`1[TShouldUsePacked] System.Buffers.ProbabilisticCharSearchValues System.Buffers.BitmapCharSearchValues System.Buffers.SearchValues System.Buffers.SearchValues+IRuntimeConst System.Buffers.SearchValues+TrueConst System.Buffers.SearchValues+FalseConst System.Buffers.SearchValues`1[T] System.Buffers.SearchValuesDebugView`1[T] System.Buffers.EmptySearchValues`1[T] System.Buffers.ProbabilisticMap System.Buffers.AhoCorasick System.Buffers.AhoCorasick+IFastScan System.Buffers.AhoCorasick+IndexOfAnyAsciiFastScan System.Buffers.AhoCorasick+NoFastScan System.Buffers.AhoCorasickBuilder System.Buffers.AhoCorasickNode System.Buffers.CharacterFrequencyHelper System.Buffers.RabinKarp System.Buffers.StringSearchValuesHelper System.Buffers.StringSearchValuesHelper+IValueLength System.Buffers.StringSearchValuesHelper+ValueLengthLessThan4 System.Buffers.StringSearchValuesHelper+ValueLength4To7 System.Buffers.StringSearchValuesHelper+ValueLength8OrLongerOrUnknown System.Buffers.StringSearchValuesHelper+ICaseSensitivity System.Buffers.StringSearchValuesHelper+CaseSensitive System.Buffers.StringSearchValuesHelper+CaseInsensitiveAsciiLetters System.Buffers.StringSearchValuesHelper+CaseInsensitiveAscii System.Buffers.StringSearchValuesHelper+CaseInsensitiveUnicode System.Buffers.TeddyBucketizer System.Buffers.TeddyHelper System.Buffers.AsciiStringSearchValuesTeddyBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBase`3[TBucketized,TStartCaseSensitivity,TCaseSensitivity] System.Buffers.MultiStringIgnoreCaseSearchValuesFallback System.Buffers.SingleStringSearchValuesThreeChars`2[TValueLength,TCaseSensitivity] System.Buffers.SingleStringSearchValuesFallback`1[TIgnoreCase] System.Buffers.StringSearchValues System.Buffers.StringSearchValues+<>c System.Buffers.StringSearchValuesBase System.Buffers.StringSearchValuesAhoCorasick`2[TCaseSensitivity,TFastScanVariant] System.Buffers.StringSearchValuesRabinKarp`1[TCaseSensitivity] System.Buffers.Text.Base64Helper System.Buffers.Text.Base64Helper+Base64DecoderByte System.Buffers.Text.Base64Helper+IBase64Encoder`1[T] System.Buffers.Text.Base64Helper+IBase64Decoder`1[T] System.Buffers.Text.Base64Helper+IBase64Validatable`1[T] System.Buffers.Text.Base64Helper+Base64CharValidatable System.Buffers.Text.Base64Helper+Base64ByteValidatable System.Buffers.Text.Base64Helper+Base64EncoderByte System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Base64Url+Base64UrlDecoderByte System.Buffers.Text.Base64Url+Base64UrlDecoderChar System.Buffers.Text.Base64Url+Base64UrlEncoderByte System.Buffers.Text.Base64Url+Base64UrlEncoderChar System.Buffers.Text.Base64Url+Base64UrlCharValidatable System.Buffers.Text.Base64Url+Base64UrlByteValidatable System.Buffers.Text.Base64Url+<>c System.Buffers.Text.FormattingHelpers System.Buffers.Text.Utf8Formatter System.Buffers.Text.ParserHelpers System.Buffers.Text.Utf8Parser System.Buffers.Text.Utf8Parser+ParseNumberOptions System.Buffers.Text.Utf8Parser+ComponentParseResult System.Buffers.Text.Utf8Parser+TimeSpanSplitter System.Buffers.Binary.BinaryPrimitives System.Buffers.Binary.BinaryPrimitives+Int16EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int32EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int64EndiannessReverser System.Buffers.Binary.BinaryPrimitives+IEndiannessReverser`1[T] System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.SynchronizationContext+<>c System.Threading.ThreadHandle System.Threading.Thread System.Threading.Thread+StartHelper System.Threading.Thread+LocalDataStore System.Threading.ThreadPool System.Threading.ThreadPool+<>c System.Threading.ThreadPool+d__26 System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.IAsyncLocal System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.IAsyncLocalValueMap System.Threading.AsyncLocalValueMap System.Threading.AsyncLocalValueMap+EmptyAsyncLocalValueMap System.Threading.AsyncLocalValueMap+OneElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+TwoElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ThreeElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+FourElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+MultiElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ManyElementAsyncLocalValueMap System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationToken+<>c System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CancellationTokenSource+States System.Threading.CancellationTokenSource+Linked1CancellationTokenSource System.Threading.CancellationTokenSource+Linked2CancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource+<>c System.Threading.CancellationTokenSource+Registrations System.Threading.CancellationTokenSource+Registrations+d__12 System.Threading.CancellationTokenSource+CallbackNode System.Threading.CancellationTokenSource+CallbackNode+<>c System.Threading.CancellationTokenSource+<>c System.Threading.CompressedStack System.Threading.StackCrawlMark System.Threading.IDeferredDisposable System.Threading.DeferredDisposableLifetime`1[T] System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IOCompletionCallbackHelper System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.Lock+State System.Threading.Lock+TryLockResult System.Threading.Lock+ThreadId System.Threading.LockRecursionException System.Threading.LowLevelLock System.Threading.LowLevelSpinWaiter System.Threading.LowLevelMonitor System.Threading.LowLevelMonitor+Monitor System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterCount System.Threading.ReaderWriterLockSlim System.Threading.ReaderWriterLockSlim+TimeoutTracker System.Threading.ReaderWriterLockSlim+SpinLock System.Threading.ReaderWriterLockSlim+WaiterStates System.Threading.ReaderWriterLockSlim+EnterSpinLockReason System.Threading.ReaderWriterLockSlim+EnterLockType System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SemaphoreSlim+TaskNode System.Threading.SemaphoreSlim+d__31 System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinLock+SystemThreading_SpinLockDebugView System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ProcessorIdCache System.Threading.ThreadAbortException System.Threading.ThreadBlockingInfo System.Threading.ThreadBlockingInfo+Scope System.Threading.ThreadBlockingInfo+ObjectKind System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInt64PersistentCounter System.Threading.ThreadInt64PersistentCounter+ThreadLocalNode System.Threading.ThreadInt64PersistentCounter+ThreadLocalNodeFinalizationHelper System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.ThreadLocal`1+LinkedSlotVolatile[T] System.Threading.ThreadLocal`1+LinkedSlot[T] System.Threading.ThreadLocal`1+IdManager[T] System.Threading.ThreadLocal`1+FinalizationHelper[T] System.Threading.SystemThreading_ThreadLocalDebugView`1[T] System.Threading.ThreadPoolWorkQueue System.Threading.ThreadPoolWorkQueue+WorkStealingQueueList System.Threading.ThreadPoolWorkQueue+WorkStealingQueue System.Threading.ThreadPoolWorkQueue+QueueProcessingStage System.Threading.ThreadPoolWorkQueue+CacheLineSeparated System.Threading.ThreadPoolWorkQueueThreadLocals System.Threading.IThreadPoolTypedWorkItemQueueCallback`1[T] System.Threading.ThreadPoolTypedWorkItemQueue`2[T,TCallback] System.Threading.ThreadPoolTypedWorkItemQueue`2+QueueProcessingStage[T,TCallback] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.QueueUserWorkItemCallbackBase System.Threading.QueueUserWorkItemCallback System.Threading.QueueUserWorkItemCallback+<>c System.Threading.QueueUserWorkItemCallback`1[TState] System.Threading.QueueUserWorkItemCallbackDefaultContext System.Threading.QueueUserWorkItemCallbackDefaultContext`1[TState] System.Threading._ThreadPoolWaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.TimeoutHelper System.Threading.PeriodicTimer System.Threading.PeriodicTimer+State System.Threading.PeriodicTimer+State+<>c System.Threading.PeriodicTimer+<>c System.Threading.TimerCallback System.Threading.TimerQueue System.Threading.TimerQueue+TimerQueueDebuggerTypeProxy System.Threading.TimerQueue+<>O System.Threading.TimerQueue+d__7 System.Threading.TimerQueueTimer System.Threading.TimerQueueTimer+TimerDebuggerTypeProxy System.Threading.TimerQueueTimer+<>c System.Threading.TimerHolder System.Threading.Timer System.Threading.Timer+<>c System.Threading.Volatile System.Threading.Volatile+VolatileBoolean System.Threading.Volatile+VolatileByte System.Threading.Volatile+VolatileInt16 System.Threading.Volatile+VolatileInt32 System.Threading.Volatile+VolatileIntPtr System.Threading.Volatile+VolatileSByte System.Threading.Volatile+VolatileSingle System.Threading.Volatile+VolatileUInt16 System.Threading.Volatile+VolatileUInt32 System.Threading.Volatile+VolatileUIntPtr System.Threading.Volatile+VolatileObject System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.Win32ThreadPoolNativeOverlapped System.Threading.Win32ThreadPoolNativeOverlapped+ExecutionContextCallbackArgs System.Threading.Win32ThreadPoolNativeOverlapped+OverlappedData System.Threading.Win32ThreadPoolNativeOverlapped+<>O System.Threading.ITimer System.Threading.OpenExistingResult System.Threading.AsyncOverSyncWithIoCancellation System.Threading.AsyncOverSyncWithIoCancellation+SyncAsyncWorkItemRegistration System.Threading.AsyncOverSyncWithIoCancellation+<>c System.Threading.AsyncOverSyncWithIoCancellation+d__7`1[TState] System.Threading.AsyncOverSyncWithIoCancellation+d__8`2[TState,TResult] System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.WindowsThreadPool System.Threading.WindowsThreadPool+ThreadCountHolder System.Threading.WindowsThreadPool+WorkingThreadCounter System.Threading.WindowsThreadPool+<>O System.Threading.CompleteWaitThreadPoolWorkItem System.Threading.PortableThreadPool System.Threading.PortableThreadPool+CacheLineSeparated System.Threading.PortableThreadPool+PendingBlockingAdjustment System.Threading.PortableThreadPool+BlockingConfig System.Threading.PortableThreadPool+GateThread System.Threading.PortableThreadPool+GateThread+DelayHelper System.Threading.PortableThreadPool+GateThread+<>O System.Threading.PortableThreadPool+HillClimbing System.Threading.PortableThreadPool+HillClimbing+StateOrTransition System.Threading.PortableThreadPool+HillClimbing+LogEntry System.Threading.PortableThreadPool+HillClimbing+Complex System.Threading.PortableThreadPool+IOCompletionPoller System.Threading.PortableThreadPool+IOCompletionPoller+Callback System.Threading.PortableThreadPool+IOCompletionPoller+Event System.Threading.PortableThreadPool+ThreadCounts System.Threading.PortableThreadPool+WaitThreadNode System.Threading.PortableThreadPool+WaitThread System.Threading.PortableThreadPool+WorkerThread System.Threading.PortableThreadPool+WorkerThread+<>c System.Threading.PortableThreadPool+CountsOfThreadsProcessingUserCallbacks System.Threading.PortableThreadPool+CpuUtilizationReader System.Threading.LowLevelLifoSemaphore System.Threading.LowLevelLifoSemaphore+Counts System.Threading.LowLevelLifoSemaphore+CacheLineSeparatedCounts System.Threading.ThreadPoolBoundHandleOverlapped System.Threading.ThreadPoolCallbackWrapper System.Threading.Tasks.AsyncCausalityStatus System.Threading.Tasks.CausalityRelation System.Threading.Tasks.CausalitySynchronousWork System.Threading.Tasks.CachedCompletedInt32Task System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+CompletionState System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+SchedulerWorkItem System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+<>c System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ProcessingMode System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+<>c System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.SystemThreadingTasks_FutureDebugView`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskFactory`1+FromAsyncTrimPromise`1[TResult,TInstance] System.Threading.Tasks.TaskFactory`1+<>c[TResult] System.Threading.Tasks.TaskFactory`1+<>c__56`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__67`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass32_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass35_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass38_0`1[TResult,TArg1] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass41_0`2[TResult,TArg1,TArg2] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass44_0`3[TResult,TArg1,TArg2,TArg3] System.Threading.Tasks.LoggingExtensions System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.Task+TaskStateFlags System.Threading.Tasks.Task+ContingentProperties System.Threading.Tasks.Task+CancellationPromise`1[TResult] System.Threading.Tasks.Task+CancellationPromise`1+<>c[TResult] System.Threading.Tasks.Task+SetOnInvokeMres System.Threading.Tasks.Task+SetOnCountdownMres System.Threading.Tasks.Task+DelayPromise System.Threading.Tasks.Task+DelayPromiseWithCancellation System.Threading.Tasks.Task+DelayPromiseWithCancellation+<>c System.Threading.Tasks.Task+WhenAllPromise System.Threading.Tasks.Task+WhenAllPromise+<>c__DisplayClass2_0 System.Threading.Tasks.Task+WhenAllPromise`1[T] System.Threading.Tasks.Task+TwoTaskWhenAnyPromise`1[TTask] System.Threading.Tasks.Task+WhenEachState System.Threading.Tasks.Task+WhenEachState+d__15`1[T] System.Threading.Tasks.Task+<>c System.Threading.Tasks.CompletionActionInvoker System.Threading.Tasks.SystemThreadingTasks_TaskDebugView System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.InternalTaskOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.VoidTaskResult System.Threading.Tasks.ITaskCompletionAction System.Threading.Tasks.UnwrapPromise`1[TResult] System.Threading.Tasks.UnwrapPromise`1+<>c[TResult] System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskAsyncEnumerableExtensions+ManualResetEventWithAwaiterSupport System.Threading.Tasks.TaskAsyncEnumerableExtensions+d__3`1[T] System.Threading.Tasks.TaskCache System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.ContinuationTaskFromTask System.Threading.Tasks.ContinuationResultTaskFromTask`1[TResult] System.Threading.Tasks.ContinuationTaskFromResultTask`1[TAntecedentResult] System.Threading.Tasks.ContinuationResultTaskFromResultTask`2[TAntecedentResult,TResult] System.Threading.Tasks.TaskContinuation System.Threading.Tasks.ContinueWithTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>O System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c__DisplayClass6_0 System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation+<>c System.Threading.Tasks.AwaitTaskContinuation System.Threading.Tasks.AwaitTaskContinuation+<>c System.Threading.Tasks.TaskExceptionHolder System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise`1[T] System.Threading.Tasks.TaskFactory+CompleteOnInvokePromise`1[TTask] System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskScheduler+SystemThreadingTasks_TaskSchedulerDebugView System.Threading.Tasks.SynchronizationContextTaskScheduler System.Threading.Tasks.SynchronizationContextTaskScheduler+<>c System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ThreadPoolTaskScheduler System.Threading.Tasks.ThreadPoolTaskScheduler+<>c System.Threading.Tasks.ThreadPoolTaskScheduler+d__6 System.Threading.Tasks.TplEventSource System.Threading.Tasks.TplEventSource+TaskWaitBehavior System.Threading.Tasks.TplEventSource+Tasks System.Threading.Tasks.TplEventSource+Keywords System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask+<>c System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask+<>c[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.TaskToAsyncResult+TaskAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Threading.Tasks.Sources.CapturedSchedulerAndExecutionContext System.Threading.Tasks.Sources.ManualResetValueTaskSourceCoreShared System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+ChunkEnumerator+ManyChunkInfo System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.Ascii+ToUpperConversion System.Text.Ascii+ToLowerConversion System.Text.Ascii+ILoader`2[TLeft,TRight] System.Text.Ascii+PlainLoader`1[T] System.Text.Ascii+WideningLoader System.Text.ASCIIEncoding System.Text.ASCIIEncoding+ASCIIEncodingSealed System.Text.CodePageDataItem System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderNLS System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderLatin1BestFitFallback System.Text.EncoderLatin1BestFitFallbackBuffer System.Text.EncoderNLS System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.Encoding+DefaultEncoder System.Text.Encoding+DefaultDecoder System.Text.Encoding+EncodingCharBuffer System.Text.Encoding+EncodingByteBuffer System.Text.EncodingTable System.Text.EncodingInfo System.Text.EncodingProvider System.Text.Latin1Encoding System.Text.Latin1Encoding+Latin1EncodingSealed System.Text.Latin1Utility System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.TranscodingStream System.Text.TranscodingStream+<g__DisposeAsyncCore|30_0>d System.Text.TranscodingStream+<g__ReadAsyncCore|41_0>d System.Text.TranscodingStream+<g__WriteAsyncCore|50_0>d System.Text.TrimType System.Text.UnicodeEncoding System.Text.UnicodeEncoding+Decoder System.Text.UnicodeUtility System.Text.UTF32Encoding System.Text.UTF32Encoding+UTF32Decoder System.Text.UTF7Encoding System.Text.UTF7Encoding+Decoder System.Text.UTF7Encoding+Encoder System.Text.UTF7Encoding+DecoderUTF7Fallback System.Text.UTF7Encoding+DecoderUTF7FallbackBuffer System.Text.UTF8Encoding System.Text.UTF8Encoding+UTF8EncodingSealed System.Text.ValueStringBuilder System.Text.StringBuilderCache System.Text.Unicode.GraphemeClusterBreakType System.Text.Unicode.TextSegmentationUtility System.Text.Unicode.TextSegmentationUtility+DecodeFirstRune`1[T] System.Text.Unicode.TextSegmentationUtility+Processor`1[T] System.Text.Unicode.Utf16Utility System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Text.Unicode.Utf8Utility System.StubHelpers.AnsiCharMarshaler System.StubHelpers.CSTRMarshaler System.StubHelpers.UTF8BufferMarshaler System.StubHelpers.BSTRMarshaler System.StubHelpers.VBByValStrMarshaler System.StubHelpers.AnsiBSTRMarshaler System.StubHelpers.FixedWSTRMarshaler System.StubHelpers.ObjectMarshaler System.StubHelpers.HandleMarshaler System.StubHelpers.DateMarshaler System.StubHelpers.InterfaceMarshaler System.StubHelpers.MngdNativeArrayMarshaler System.StubHelpers.MngdNativeArrayMarshaler+MarshalerState System.StubHelpers.MngdFixedArrayMarshaler System.StubHelpers.MngdFixedArrayMarshaler+MarshalerState System.StubHelpers.MngdSafeArrayMarshaler System.StubHelpers.MngdRefCustomMarshaler System.StubHelpers.AsAnyMarshaler System.StubHelpers.AsAnyMarshaler+BackPropAction System.StubHelpers.CleanupWorkListElement System.StubHelpers.KeepAliveCleanupWorkListElement System.StubHelpers.SafeHandleCleanupWorkListElement System.StubHelpers.StubHelpers System.Runtime.ControlledExecution System.Runtime.ControlledExecution+Canceler System.Runtime.ControlledExecution+<>c System.Runtime.DependentHandle System.Runtime.RhFailFastReason System.Runtime.EH System.Runtime.EH+RhEHClauseKind System.Runtime.EH+RhEHClause System.Runtime.EH+EHEnum System.Runtime.EH+MethodRegionInfo System.Runtime.EH+PAL_LIMITED_CONTEXT System.Runtime.EH+ExKind System.Runtime.EH+ExInfo System.Runtime.ExceptionIDs System.Runtime.REGDISPLAY System.Runtime.StackFrameIterator System.Runtime.GCSettings System.Runtime.GCSettings+SetLatencyModeStatus System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCFrameRegistration System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.SxSRequirements System.Runtime.Versioning.VersioningHelper System.Runtime.Versioning.NonVersionableAttribute System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.DeserializationTracker System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+InternalState System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyLoadContext+d__88 System.Runtime.Loader.AssemblyLoadContext+d__58 System.Runtime.Loader.DefaultAssemblyLoadContext System.Runtime.Loader.IndividualAssemblyLoadContext System.Runtime.Loader.LibraryNameVariation System.Runtime.Loader.LibraryNameVariation+d__4 System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Loader.AssemblyDependencyResolver+<>c__DisplayClass6_0 System.Runtime.Intrinsics.ISimdVector`2[TSelf,T] System.Runtime.Intrinsics.Scalar`1[T] System.Runtime.Intrinsics.SimdVectorExtensions System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector128DebugView`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector256DebugView`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector512DebugView`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Vector64DebugView`1[T] System.Runtime.Intrinsics.VectorMath System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.DynamicInterfaceCastableHelpers System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.Marshal+<>O System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.MemoryMarshal+<g__FromArray|18_2>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromMemoryManager|18_1>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromString|18_0>d`1[T] System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappersScenario System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch+ComInterfaceInstance System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.IDispatch System.Runtime.InteropServices.InvokeFlags System.Runtime.InteropServices.ComEventsMethod System.Runtime.InteropServices.ComEventsMethod+DelegateWrapper System.Runtime.InteropServices.ComEventsSink System.Runtime.InteropServices.BuiltInInteropVariantExtensions System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.ComEventsInfo System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PosixSignalRegistration+Token System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.IMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ComVariant+TypeUnion System.Runtime.InteropServices.Marshalling.ComVariant+Record System.Runtime.InteropServices.Marshalling.ComVariant+Blob System.Runtime.InteropServices.Marshalling.ComVariant+Vector`1[T] System.Runtime.InteropServices.Marshalling.ComVariant+VersionedStream System.Runtime.InteropServices.Marshalling.ComVariant+ClipboardData System.Runtime.InteropServices.Marshalling.ComVariant+UnionTypes System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.CustomMarshalers.ComDataHelpers System.Runtime.InteropServices.CustomMarshalers.EnumVariantViewOfEnumerator System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumerableViewOfDispatch System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumeratorViewOfEnumVariant System.Runtime.InteropServices.CustomMarshalers.ExpandoToDispatchExMarshaler System.Runtime.InteropServices.CustomMarshalers.TypeToTypeInfoMarshaler System.Runtime.InteropServices.ComTypes.IEnumerable System.Runtime.InteropServices.ComTypes.IEnumerator System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.InternalCalls System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.CastHelpers System.Runtime.CompilerServices.ICastableHelpers System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.RawData System.Runtime.CompilerServices.RawArrayData System.Runtime.CompilerServices.MethodTable System.Runtime.CompilerServices.MethodTableAuxiliaryData System.Runtime.CompilerServices.TypeHandle System.Runtime.CompilerServices.PortableTailCallFrame System.Runtime.CompilerServices.TailCallTls System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncMethodBuilderCore+ContinuationWrapper System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+DebugFinalizableAsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+AsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CastResult System.Runtime.CompilerServices.CastCache System.Runtime.CompilerServices.CastCache+CastCacheEntry System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompExactlyDependsOnAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Enumerator[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Entry[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Container[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+<>c[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.FormattableStringFactory+ConcreteFormattableString System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.IAsyncStateMachineBox System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IntrinsicAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+SyncSuccessSentinelStateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StackAllocatedBox`1[T] System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter+<>c System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ITaskAwaiter System.Runtime.CompilerServices.IConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter+<>c System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.IStateMachineBoxAwareAwaiter System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter+<>c System.Runtime.CompilerServices.StringHandleOnStack System.Runtime.CompilerServices.ObjectHandleOnStack System.Runtime.CompilerServices.StackCrawlMarkHandle System.Runtime.CompilerServices.QCallModule System.Runtime.CompilerServices.QCallAssembly System.Runtime.CompilerServices.QCallTypeHandle System.Reflection.Assembly System.Reflection.Assembly+<>O System.Reflection.NativeAssemblyNameParts System.Reflection.AssemblyName System.Reflection.Associates System.Reflection.Associates+Attributes System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.LoaderAllocatorScout System.Reflection.LoaderAllocator System.Reflection.MdConstant System.Reflection.MdFieldInfo System.Reflection.MdSigCallingConvention System.Reflection.PInvokeAttributes System.Reflection.MethodSemanticsAttributes System.Reflection.MetadataTokenType System.Reflection.ConstArray System.Reflection.MetadataToken System.Reflection.MetadataEnumResult System.Reflection.MetadataEnumResult+SmallIntArray System.Reflection.MetadataImport System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodBase+InvokerStrategy System.Reflection.MethodBase+InvokerArgFlags System.Reflection.MethodBase+ArgumentData`1[T] System.Reflection.MethodBase+StackAllocatedArguments System.Reflection.MethodBase+StackAllocatedArgumentsWithCopyBack System.Reflection.MethodBase+StackAllocatedByRefs System.Reflection.MethodBaseInvoker System.Reflection.MethodInvoker System.Reflection.ModifiedType System.Reflection.ModifiedType+TypeSignature System.Reflection.RtFieldInfo System.Reflection.RuntimeAssembly System.Reflection.RuntimeAssembly+ManifestResourceStream System.Reflection.RuntimeConstructorInfo System.Reflection.RuntimeCustomAttributeData System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeRecord System.Reflection.CustomAttributeEncoding System.Reflection.PrimitiveValue System.Reflection.CustomAttributeEncodedArgument System.Reflection.CustomAttributeEncodedArgument+CustomAttributeDataParser System.Reflection.CustomAttributeCtorParameter System.Reflection.CustomAttributeNamedParameter System.Reflection.CustomAttributeType System.Reflection.CustomAttribute System.Reflection.PseudoCustomAttribute System.Reflection.RuntimeEventInfo System.Reflection.RuntimeExceptionHandlingClause System.Reflection.RuntimeFieldInfo System.Reflection.RuntimeLocalVariableInfo System.Reflection.RuntimeMethodBody System.Reflection.RuntimeMethodInfo System.Reflection.RuntimeModule System.Reflection.RuntimeParameterInfo System.Reflection.RuntimePropertyInfo System.Reflection.TypeNameResolver System.Reflection.CerHashtable`2[K,V] System.Reflection.CerHashtable`2+Table[K,V] System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameHelpers System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CorElementType System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAccessor System.Reflection.FieldAccessor+FieldAccessorType System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.InvocationFlags System.Reflection.InvokerEmitUtil System.Reflection.InvokerEmitUtil+InvokeFunc_RefArgs System.Reflection.InvokerEmitUtil+InvokeFunc_ObjSpanArgs System.Reflection.InvokerEmitUtil+InvokeFunc_Obj4Args System.Reflection.InvokerEmitUtil+ThrowHelper System.Reflection.InvokerEmitUtil+Methods System.Reflection.InvokeUtils System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.MethodInvokerCommon System.Reflection.Missing System.Reflection.ModifiedHasElementType System.Reflection.ModifiedFunctionPointerType System.Reflection.ModifiedGenericType System.Reflection.Module System.Reflection.Module+<>c System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.NullabilityInfoContext+NotAnnotatedStatus System.Reflection.NullabilityInfoContext+NullableAttributeStateParser System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.SignatureArrayType System.Reflection.SignatureByRefType System.Reflection.SignatureCallingConvention System.Reflection.SignatureConstructedGenericType System.Reflection.SignatureGenericMethodParameterType System.Reflection.SignatureGenericParameterType System.Reflection.SignatureHasElementType System.Reflection.SignaturePointerType System.Reflection.SignatureType System.Reflection.SignatureTypeExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.TypeInfo+d__10 System.Reflection.TypeInfo+d__22 System.Reflection.AssemblyNameParser System.Reflection.AssemblyNameParser+AssemblyNameParts System.Reflection.AssemblyNameParser+Token System.Reflection.AssemblyNameParser+AttributeKind System.Reflection.AssemblyNameFormatter System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler System.Reflection.Metadata.TypeNameParseOptions System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Metadata.AssemblyNameInfo System.Reflection.Metadata.TypeName System.Reflection.Metadata.TypeNameHelpers System.Reflection.Metadata.TypeNameParser System.Reflection.Metadata.TypeNameParserHelpers System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILGenerator System.Reflection.Emit.DynamicResolver System.Reflection.Emit.DynamicResolver+DestroyScout System.Reflection.Emit.DynamicResolver+SecurityControlFlags System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicScope System.Reflection.Emit.GenericMethodInfo System.Reflection.Emit.GenericFieldInfo System.Reflection.Emit.VarArgMethod System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.AssemblyBuilder+ForceAllowDynamicCodeScope System.Reflection.Emit.RuntimeAssemblyBuilder System.Reflection.Emit.RuntimeConstructorBuilder System.Reflection.Emit.RuntimeEnumBuilder System.Reflection.Emit.RuntimeEventBuilder System.Reflection.Emit.RuntimeFieldBuilder System.Reflection.Emit.RuntimeGenericTypeParameterBuilder System.Reflection.Emit.RuntimeILGenerator System.Reflection.Emit.__LabelInfo System.Reflection.Emit.__FixupData System.Reflection.Emit.__ExceptionInfo System.Reflection.Emit.ScopeAction System.Reflection.Emit.ScopeTree System.Reflection.Emit.RuntimeLocalBuilder System.Reflection.Emit.RuntimeMethodBuilder System.Reflection.Emit.LocalSymInfo System.Reflection.Emit.ExceptionHandler System.Reflection.Emit.RuntimeModuleBuilder System.Reflection.Emit.RuntimeParameterBuilder System.Reflection.Emit.RuntimePropertyBuilder System.Reflection.Emit.RuntimeTypeBuilder System.Reflection.Emit.RuntimeTypeBuilder+CustAttr System.Reflection.Emit.SignatureHelper System.Reflection.Emit.SymbolMethod System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.ConstructorOnTypeBuilderInstantiation System.Reflection.Emit.EmptyCAHolder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FieldOnTypeBuilderInstantiation System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.MethodBuilderInstantiation System.Reflection.Emit.MethodOnTypeBuilderInstantiation System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodeValues System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeKind System.Reflection.Emit.SymbolType System.Reflection.Emit.TypeBuilder System.Reflection.Emit.TypeBuilderInstantiation System.Reflection.Emit.TypeNameBuilder System.Reflection.Emit.TypeNameBuilder+Format System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.BufferedStream+d__68 System.IO.BufferedStream+d__33 System.IO.BufferedStream+d__36 System.IO.BufferedStream+d__40 System.IO.BufferedStream+d__48 System.IO.BufferedStream+d__59 System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EncodingCache System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.File+<g__Core|67_0>d System.IO.File+<g__Core|103_0>d System.IO.File+d__100 System.IO.File+d__101 System.IO.File+d__106 System.IO.File+d__94 System.IO.File+d__110 System.IO.File+d__124 System.IO.File+d__122 System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStream+d__57 System.IO.FileStreamOptions System.IO.FileSystem System.IO.FileSystem+<>c__DisplayClass50_0 System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.Iterator`1[TSource] System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.Path+JoinInternalState System.IO.Path+<>c System.IO.PathTooLongException System.IO.PinnedBufferMemoryStream System.IO.RandomAccess System.IO.RandomAccess+CallbackResetEvent System.IO.RandomAccess+IMemoryHandler`1[T] System.IO.RandomAccess+MemoryHandler System.IO.RandomAccess+ReadOnlyMemoryHandler System.IO.RandomAccess+<>c System.IO.RandomAccess+d__31 System.IO.RandomAccess+d__29 System.IO.RandomAccess+d__35 System.IO.RandomAccess+d__33 System.IO.ReadLinesIterator System.IO.SearchOption System.IO.SearchTarget System.IO.SeekOrigin System.IO.Stream System.IO.Stream+ReadWriteParameters System.IO.Stream+ReadWriteTask System.IO.Stream+ReadWriteTask+<>O System.IO.Stream+NullStream System.IO.Stream+SyncStream System.IO.Stream+<g__Core|27_0>d System.IO.Stream+<g__FinishReadAsync|42_0>d System.IO.Stream+<>c System.IO.Stream+d__61 System.IO.Stream+d__46 System.IO.StreamReader System.IO.StreamReader+NullStreamReader System.IO.StreamReader+d__69 System.IO.StreamReader+d__72 System.IO.StreamReader+d__63 System.IO.StreamReader+d__66 System.IO.StreamWriter System.IO.StreamWriter+NullStreamWriter System.IO.StreamWriter+<g__Core|79_0>d System.IO.StreamWriter+d__37 System.IO.StreamWriter+d__67 System.IO.StreamWriter+d__71 System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextReader+SyncTextReader System.IO.TextReader+<>c System.IO.TextReader+d__23 System.IO.TextReader+d__17 System.IO.TextWriter System.IO.TextWriter+NullTextWriter System.IO.TextWriter+SyncTextWriter System.IO.TextWriter+BroadcastingTextWriter System.IO.TextWriter+BroadcastingTextWriter+d__10 System.IO.TextWriter+BroadcastingTextWriter+d__12 System.IO.TextWriter+BroadcastingTextWriter+d__13 System.IO.TextWriter+BroadcastingTextWriter+d__55 System.IO.TextWriter+BroadcastingTextWriter+d__56 System.IO.TextWriter+BroadcastingTextWriter+d__57 System.IO.TextWriter+BroadcastingTextWriter+d__58 System.IO.TextWriter+BroadcastingTextWriter+d__59 System.IO.TextWriter+BroadcastingTextWriter+d__60 System.IO.TextWriter+BroadcastingTextWriter+d__61 System.IO.TextWriter+BroadcastingTextWriter+d__62 System.IO.TextWriter+BroadcastingTextWriter+d__63 System.IO.TextWriter+BroadcastingTextWriter+d__64 System.IO.TextWriter+BroadcastingTextWriter+d__65 System.IO.TextWriter+<g__WriteAsyncCore|62_0>d System.IO.TextWriter+<g__WriteLineAsyncCore|68_0>d System.IO.TextWriter+<>c System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.UnmanagedMemoryStreamWrapper System.IO.PathInternal System.IO.DisableMediaInsertionPrompt System.IO.DriveInfoInternal System.IO.PathHelper System.IO.Win32Marshal System.IO.Strategies.BufferedFileStreamStrategy System.IO.Strategies.BufferedFileStreamStrategy+d__57 System.IO.Strategies.BufferedFileStreamStrategy+d__27 System.IO.Strategies.BufferedFileStreamStrategy+d__55 System.IO.Strategies.BufferedFileStreamStrategy+d__37 System.IO.Strategies.BufferedFileStreamStrategy+d__36 System.IO.Strategies.BufferedFileStreamStrategy+d__48 System.IO.Strategies.BufferedFileStreamStrategy+d__47 System.IO.Strategies.DerivedFileStreamStrategy System.IO.Strategies.FileStreamHelpers System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable+<>c System.IO.Strategies.FileStreamHelpers+<>c System.IO.Strategies.FileStreamHelpers+d__21 System.IO.Strategies.FileStreamStrategy System.IO.Strategies.OSFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy+d__5 System.IO.Strategies.SyncWindowsFileStreamStrategy System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemEnumerable`1+DelegateEnumerator[TResult] System.IO.Enumeration.FileSystemEnumerableFactory System.IO.Enumeration.FileSystemEnumerableFactory+<>c System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass2_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass3_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass4_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass5_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass6_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass7_0 System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.Debugger+CrossThreadDependencyNotification System.Diagnostics.EditAndContinueHelper System.Diagnostics.ICustomDebuggerNotification System.Diagnostics.StackFrame System.Diagnostics.StackFrameHelper System.Diagnostics.StackFrameHelper+GetSourceLineInfoDelegate System.Diagnostics.StackTrace System.Diagnostics.StackTrace+TraceFormat System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DebugProvider+DebugAssertException System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.ActivityTracker System.Diagnostics.Tracing.ActivityTracker+ActivityInfo System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.CounterGroup System.Diagnostics.Tracing.CounterGroup+<>O System.Diagnostics.Tracing.CounterPayload System.Diagnostics.Tracing.CounterPayload+d__51 System.Diagnostics.Tracing.IncrementingCounterPayload System.Diagnostics.Tracing.IncrementingCounterPayload+d__39 System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.CounterPayloadType System.Diagnostics.Tracing.EventDescriptor System.Diagnostics.Tracing.EventPipeEventInstanceData System.Diagnostics.Tracing.EventPipeSessionInfo System.Diagnostics.Tracing.EventPipeProviderConfiguration System.Diagnostics.Tracing.EventPipeSerializationFormat System.Diagnostics.Tracing.EventPipeInternal System.Diagnostics.Tracing.EventPipeInternal+EventPipeProviderConfigurationNative System.Diagnostics.Tracing.EventPipeEventDispatcher System.Diagnostics.Tracing.EventPipeEventDispatcher+EventListenerSubscription System.Diagnostics.Tracing.EventPipeEventDispatcher+<>c__DisplayClass12_0 System.Diagnostics.Tracing.EventPipeEventProvider System.Diagnostics.Tracing.EventPipeMetadataGenerator System.Diagnostics.Tracing.EventParameterInfo System.Diagnostics.Tracing.EventPipePayloadDecoder System.Diagnostics.Tracing.EventProviderType System.Diagnostics.Tracing.ControllerCommand System.Diagnostics.Tracing.EventProvider System.Diagnostics.Tracing.EventProvider+EventData System.Diagnostics.Tracing.EventProvider+WriteEventErrorCode System.Diagnostics.Tracing.EtwEventProvider System.Diagnostics.Tracing.EtwEventProvider+SessionInfo System.Diagnostics.Tracing.EtwEventProvider+SessionInfoCallback System.Diagnostics.Tracing.EtwEventProvider+<>O System.Diagnostics.Tracing.EventProviderImpl System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSource+EventData System.Diagnostics.Tracing.EventSource+OverrideEventProvider System.Diagnostics.Tracing.EventSource+EventMetadata System.Diagnostics.Tracing.EventSource+<>O System.Diagnostics.Tracing.EventSourceInitHelper System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventListener+<>c System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs+MoreEventInfo System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventChannelAttribute System.Diagnostics.Tracing.EventChannelType System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.SessionMask System.Diagnostics.Tracing.EventDispatcher System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.ManifestBuilder System.Diagnostics.Tracing.ManifestBuilder+ChannelInfo System.Diagnostics.Tracing.ManifestBuilder+<>c System.Diagnostics.Tracing.ManifestEnvelope System.Diagnostics.Tracing.ManifestEnvelope+ManifestFormats System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.FrameworkEventSource System.Diagnostics.Tracing.FrameworkEventSource+Keywords System.Diagnostics.Tracing.FrameworkEventSource+Tasks System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingEventCounterPayloadType System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.IncrementingPollingCounterPayloadType System.Diagnostics.Tracing.NativeRuntimeEventSource System.Diagnostics.Tracing.NativeRuntimeEventSource+Messages System.Diagnostics.Tracing.NativeRuntimeEventSource+Tasks System.Diagnostics.Tracing.NativeRuntimeEventSource+Opcodes System.Diagnostics.Tracing.NativeRuntimeEventSource+ContentionFlagsMap System.Diagnostics.Tracing.NativeRuntimeEventSource+ThreadAdjustmentReasonMap System.Diagnostics.Tracing.NativeRuntimeEventSource+WaitHandleWaitSourceMap System.Diagnostics.Tracing.NativeRuntimeEventSource+Keywords System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.PollingPayloadType System.Diagnostics.Tracing.RuntimeEventSource System.Diagnostics.Tracing.RuntimeEventSource+Keywords System.Diagnostics.Tracing.RuntimeEventSource+EventId System.Diagnostics.Tracing.RuntimeEventSource+<>O System.Diagnostics.Tracing.RuntimeEventSource+<>c System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.ArrayTypeInfo System.Diagnostics.Tracing.ConcurrentSet`2[KeyType,ItemType] System.Diagnostics.Tracing.ConcurrentSetItem`2[KeyType,ItemType] System.Diagnostics.Tracing.DataCollector System.Diagnostics.Tracing.EmptyStruct System.Diagnostics.Tracing.EnumerableTypeInfo System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventPayload System.Diagnostics.Tracing.EventPayload+d__17 System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.FieldMetadata System.Diagnostics.Tracing.InvokeTypeInfo System.Diagnostics.Tracing.NameInfo System.Diagnostics.Tracing.PropertyAnalysis System.Diagnostics.Tracing.PropertyValue System.Diagnostics.Tracing.PropertyValue+Scalar System.Diagnostics.Tracing.PropertyValue+TypeHelper System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_0[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_10[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_11[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_12[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_13[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_14[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_15[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_16[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_17[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_18[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_19[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_2[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_20[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_3[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_4[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_5[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_6[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_7[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_8[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_9[TContainer] System.Diagnostics.Tracing.PropertyValue+<>c System.Diagnostics.Tracing.PropertyValue+<>c__DisplayClass33_0 System.Diagnostics.Tracing.SimpleEventTypes`1[T] System.Diagnostics.Tracing.NullTypeInfo System.Diagnostics.Tracing.ScalarTypeInfo System.Diagnostics.Tracing.ScalarArrayTypeInfo System.Diagnostics.Tracing.StringTypeInfo System.Diagnostics.Tracing.DateTimeTypeInfo System.Diagnostics.Tracing.DateTimeOffsetTypeInfo System.Diagnostics.Tracing.TimeSpanTypeInfo System.Diagnostics.Tracing.DecimalTypeInfo System.Diagnostics.Tracing.NullableTypeInfo System.Diagnostics.Tracing.Statics System.Diagnostics.Tracing.Statics+<>O System.Diagnostics.Tracing.TraceLoggingDataCollector System.Diagnostics.Tracing.TraceLoggingDataType System.Diagnostics.Tracing.TraceLoggingEventHandleTable System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.TraceLoggingEventTypes System.Diagnostics.Tracing.TraceLoggingMetadataCollector System.Diagnostics.Tracing.TraceLoggingMetadataCollector+Impl System.Diagnostics.Tracing.TraceLoggingTypeInfo System.Diagnostics.Tracing.TypeAnalysis System.Diagnostics.Tracing.RuntimeEventSourceHelper System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.EmptyReadOnlyDictionaryInternal System.Collections.EmptyReadOnlyDictionaryInternal+NodeEnumerator System.Collections.ArrayList System.Collections.ArrayList+IListWrapper System.Collections.ArrayList+IListWrapper+IListWrapperEnumWrapper System.Collections.ArrayList+SyncArrayList System.Collections.ArrayList+SyncIList System.Collections.ArrayList+FixedSizeList System.Collections.ArrayList+FixedSizeArrayList System.Collections.ArrayList+ReadOnlyList System.Collections.ArrayList+ReadOnlyArrayList System.Collections.ArrayList+ArrayListEnumerator System.Collections.ArrayList+Range System.Collections.ArrayList+ArrayListEnumeratorSimple System.Collections.ArrayList+ArrayListDebugView System.Collections.Comparer System.Collections.CompatibleComparer System.Collections.DictionaryEntry System.Collections.HashHelpers System.Collections.Hashtable System.Collections.Hashtable+Bucket System.Collections.Hashtable+KeyCollection System.Collections.Hashtable+ValueCollection System.Collections.Hashtable+SyncHashtable System.Collections.Hashtable+HashtableEnumerator System.Collections.Hashtable+HashtableDebugView System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal+NodeEnumerator System.Collections.ListDictionaryInternal+NodeKeyValueCollection System.Collections.ListDictionaryInternal+NodeKeyValueCollection+NodeKeyValueEnumerator System.Collections.ListDictionaryInternal+DictionaryNode System.Collections.ListDictionaryInternal+ListDictionaryInternalDebugView System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.CollectionHelpers System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+DictionaryEnumerator[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.ConcurrentQueue`1+d__26[T] System.Collections.Concurrent.ConcurrentQueueSegment`1[T] System.Collections.Concurrent.ConcurrentQueueSegment`1+Slot[T] System.Collections.Concurrent.PaddedHeadAndTail System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Concurrent.IProducerConsumerCollectionDebugView`1[T] System.Collections.Concurrent.IProducerConsumerQueue`1[T] System.Collections.Concurrent.MultiProducerMultiConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+Segment[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SegmentState[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SingleProducerSingleConsumerQueue_DebugView[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+d__15[T] System.Collections.Generic.IArraySortHelper`1[TKey] System.Collections.Generic.ArraySortHelper`1[T] System.Collections.Generic.GenericArraySortHelper`1[T] System.Collections.Generic.IArraySortHelper`2[TKey,TValue] System.Collections.Generic.ArraySortHelper`2[TKey,TValue] System.Collections.Generic.GenericArraySortHelper`2[TKey,TValue] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EnumComparer`1[T] System.Collections.Generic.ComparerHelpers System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.EqualityComparer`1+<>c[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.ArrayBuilder`1[T] System.Collections.Generic.SortUtils System.Collections.Generic.CollectionExtensions System.Collections.Generic.ComparisonComparer`1[T] System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+CollectionsMarshalHelper[TKey,TValue] System.Collections.Generic.Dictionary`2+Entry[TKey,TValue] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.DebugViewDictionaryItem`2[TKey,TValue] System.Collections.Generic.DelegateEqualityComparer`1[T] System.Collections.Generic.StringEqualityComparer System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Entry[T] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.HashSetEqualityComparer`1[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.ICollectionDebugView`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IDictionaryDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryKeyCollectionDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryValueCollectionDebugView`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IInternalStringEqualityComparer System.Collections.Generic.IList`1[T] System.Collections.Generic.InsertionBehavior System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.QueueDebugView`1[T] System.Collections.Generic.RandomizedStringEqualityComparer System.Collections.Generic.RandomizedStringEqualityComparer+MarvinSeed System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ValueListBuilder`1[T] System.Collections.Generic.EnumerableHelpers System.Collections.Generic.BitHelper Internal.Console Internal.Console+Error Internal.PaddingFor32 Internal.PaddedReference Internal.Win32.RegistryKey Internal.Win32.Registry Internal.Win32.SafeHandles.SafeRegistryHandle Internal.Runtime.InteropServices.ComActivationContextInternal Internal.Runtime.InteropServices.ComponentActivator Internal.Runtime.InteropServices.ComponentActivator+ComponentEntryPoint Internal.Runtime.InteropServices.ComponentActivator+<>c__DisplayClass15_0 Internal.Runtime.InteropServices.LICINFO Internal.Runtime.InteropServices.IClassFactory Internal.Runtime.InteropServices.IClassFactory2 Internal.Runtime.InteropServices.ComActivationContext Internal.Runtime.InteropServices.ComActivator Internal.Runtime.InteropServices.ComActivator+BasicClassFactory Internal.Runtime.InteropServices.ComActivator+LicenseClassFactory Internal.Runtime.InteropServices.ComActivator+<>c__DisplayClass16_0 Internal.Runtime.InteropServices.LicenseInteropProxy Internal.Runtime.InteropServices.InMemoryAssemblyLoader Internal.Runtime.InteropServices.InMemoryAssemblyLoader+<>c__DisplayClass7_0 Internal.Runtime.InteropServices.IsolatedComponentLoadContext Internal.Runtime.CompilerHelpers.ThrowHelpers +__StaticArrayInitTypeSize=3 +__StaticArrayInitTypeSize=5 +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=16_Align=2 +__StaticArrayInitTypeSize=16_Align=4 +__StaticArrayInitTypeSize=17 +__StaticArrayInitTypeSize=21 +__StaticArrayInitTypeSize=24_Align=8 +__StaticArrayInitTypeSize=28_Align=2 +__StaticArrayInitTypeSize=28_Align=4 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=32_Align=4 +__StaticArrayInitTypeSize=32_Align=8 +__StaticArrayInitTypeSize=33 +__StaticArrayInitTypeSize=34 +__StaticArrayInitTypeSize=36_Align=4 +__StaticArrayInitTypeSize=38 +__StaticArrayInitTypeSize=40 +__StaticArrayInitTypeSize=40_Align=4 +__StaticArrayInitTypeSize=48_Align=4 +__StaticArrayInitTypeSize=51 +__StaticArrayInitTypeSize=52_Align=4 +__StaticArrayInitTypeSize=64 +__StaticArrayInitTypeSize=64_Align=4 +__StaticArrayInitTypeSize=64_Align=8 +__StaticArrayInitTypeSize=65 +__StaticArrayInitTypeSize=66 +__StaticArrayInitTypeSize=70 +__StaticArrayInitTypeSize=72 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=76_Align=4 +__StaticArrayInitTypeSize=82 +__StaticArrayInitTypeSize=84_Align=2 +__StaticArrayInitTypeSize=88_Align=8 +__StaticArrayInitTypeSize=98 +__StaticArrayInitTypeSize=128 +__StaticArrayInitTypeSize=128_Align=8 +__StaticArrayInitTypeSize=152_Align=8 +__StaticArrayInitTypeSize=168_Align=8 +__StaticArrayInitTypeSize=170 +__StaticArrayInitTypeSize=172_Align=4 +__StaticArrayInitTypeSize=174_Align=2 +__StaticArrayInitTypeSize=177 +__StaticArrayInitTypeSize=184_Align=8 +__StaticArrayInitTypeSize=201 +__StaticArrayInitTypeSize=233 +__StaticArrayInitTypeSize=256 +__StaticArrayInitTypeSize=256_Align=8 +__StaticArrayInitTypeSize=288_Align=4 +__StaticArrayInitTypeSize=466 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=512_Align=4 +__StaticArrayInitTypeSize=648_Align=8 +__StaticArrayInitTypeSize=696_Align=8 +__StaticArrayInitTypeSize=936_Align=4 +__StaticArrayInitTypeSize=1208_Align=2 +__StaticArrayInitTypeSize=1316 +__StaticArrayInitTypeSize=1416 +__StaticArrayInitTypeSize=1440 +__StaticArrayInitTypeSize=1472_Align=2 +__StaticArrayInitTypeSize=1728 +__StaticArrayInitTypeSize=2176 +__StaticArrayInitTypeSize=2224 +__StaticArrayInitTypeSize=2530 +__StaticArrayInitTypeSize=2593 +__StaticArrayInitTypeSize=3200 +__StaticArrayInitTypeSize=3389 +__StaticArrayInitTypeSize=5056 +__StaticArrayInitTypeSize=6256 +__StaticArrayInitTypeSize=6592 +__StaticArrayInitTypeSize=10416_Align=8 +__StaticArrayInitTypeSize=12144 +__StaticArrayInitTypeSize=15552 +__StaticArrayInitTypeSize=18128 <>y__InlineArray2`1[T] <>y__InlineArray3`1[T] <>y__InlineArray4`1[T]", + "IsCollectible": false, + "ManifestModule": "System.Private.CoreLib.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeWaitHandle System.ArgIterator System.Array System.Attribute System.BadImageFormatException System.Buffer System.Decimal System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.Enum System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Exception System.GCCollectionMode System.GCNotificationStatus System.GC System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeMethodHandle System.RuntimeFieldHandle System.ModuleHandle System.String System.Type System.TypedReference System.TypeLoadException System.ValueType System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.DataMisalignedException System.DateOnly System.DateTime System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfo System.Guid System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.Lazy`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalDataStoreSlot System.MarshalByRefObject System.MemberAccessException System.Memory`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.Random System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.TimeOnly System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TransitionTime System.TimeZoneNotFoundException System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.IResourceReader System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceManager System.Resources.ResourceReader System.Resources.ResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.Matrix3x2 System.Numerics.Matrix4x4 System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarWeekRule System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareOptions System.Globalization.CultureInfo System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GregorianCalendar System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HijriCalendar System.Globalization.IdnMapping System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.ArrayPool`1[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SearchValues System.Buffers.SearchValues`1[T] System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Utf8Formatter System.Buffers.Text.Utf8Parser System.Buffers.Binary.BinaryPrimitives System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.Thread System.Threading.ThreadPool System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CompressedStack System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.LockRecursionException System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterLockSlim System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ThreadAbortException System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.PeriodicTimer System.Threading.TimerCallback System.Threading.Timer System.Threading.Volatile System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.ITimer System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskScheduler System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.ASCIIEncoding System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.EncodingInfo System.Text.EncodingProvider System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.UnicodeEncoding System.Text.UTF32Encoding System.Text.UTF7Encoding System.Text.UTF8Encoding System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Runtime.ControlledExecution System.Runtime.DependentHandle System.Runtime.GCSettings System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.VersioningHelper System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Reflection.Assembly System.Reflection.AssemblyName System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodInvoker System.Reflection.CustomAttributeTypedArgument System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.Missing System.Reflection.Module System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.SignatureHelper System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeBuilder System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStreamOptions System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.PathTooLongException System.IO.RandomAccess System.IO.SearchOption System.IO.SeekOrigin System.IO.Stream System.IO.StreamReader System.IO.StreamWriter System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextWriter System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.StackFrame System.Diagnostics.StackTrace System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.EventTags System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.ArrayList System.Collections.Comparer System.Collections.DictionaryEntry System.Collections.Hashtable System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.CollectionExtensions System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IList`1[T] System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer Internal.Console Internal.Console+Error", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Reflection.Metadata.MetadataUpdateHandlerAttribute(typeof(System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler))] [System.CLSCompliantAttribute((Boolean)True)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)False)] [System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute((System.Runtime.InteropServices.DllImportSearchPath)2050)] [System.Reflection.AssemblyMetadataAttribute(\"Serviceable\", \"True\")] [System.Reflection.AssemblyMetadataAttribute(\"IsTrimmable\", \"True\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")] [System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute()] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"© Microsoft Corporation. All rights reserved.\")] [System.Reflection.AssemblyDescriptionAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyFileVersionAttribute(\"9.0.625.26613\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"9.0.6+3875b54e7b10b10606b105340199946d0b877754\")] [System.Reflection.AssemblyProductAttribute(\"Microsoft® .NET\")] [System.Reflection.AssemblyTitleAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyMetadataAttribute(\"RepositoryUrl\", \"https://github.com/dotnet/runtime\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Private.CoreLib.dll", + "Modules": "System.Private.CoreLib.dll", + "SecurityRuleSet": 0 + }, + "BaseType": null, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554586, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ModuleVersionId": "6322a2c9-49e1-408c-8faf-9b86b82127b8", + "MetadataToken": 1, + "ScopeName": "System.Private.CoreLib.dll", + "Name": "System.Private.CoreLib.dll", + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)] [System.Runtime.CompilerServices.NullablePublicOnlyAttribute((Boolean)False)] [System.Runtime.CompilerServices.SkipLocalsInitAttribute()]" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712116373296 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Object", + "AssemblyQualifiedName": "System.Object, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "ff77e388-6558-35eb-89cb-5ef50f4b9be2", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Object", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": null, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554586, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Object", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode() Void .ctor()", + "DeclaredMethods": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1056769, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": "[System.SerializableAttribute()] [System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)] [System.Runtime.InteropServices.ClassInterfaceAttribute((System.Runtime.InteropServices.ClassInterfaceType)1)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)True)] [System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + "Void .ctor()" + ], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [ + "System.Type GetType()", + "System.Object MemberwiseClone()", + "Void Finalize()", + "System.String ToString()", + "Boolean Equals(System.Object)", + "Boolean Equals(System.Object, System.Object)", + "Boolean ReferenceEquals(System.Object, System.Object)", + "Int32 GetHashCode()", + "Void .ctor()" + ], + "DeclaredMethods": [ + "System.Type GetType()", + "System.Object MemberwiseClone()", + "Void Finalize()", + "System.String ToString()", + "Boolean Equals(System.Object)", + "Boolean Equals(System.Object, System.Object)", + "Boolean ReferenceEquals(System.Object, System.Object)", + "Int32 GetHashCode()" + ], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1056769, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": [ + "[System.SerializableAttribute()]", + "[System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)]", + "[System.Runtime.InteropServices.ClassInterfaceAttribute((System.Runtime.InteropServices.ClassInterfaceType)1)]", + "[System.Runtime.InteropServices.ComVisibleAttribute((Boolean)True)]", + "[System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + ] + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": { + "CodeBase": null, + "FullName": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "EntryPoint": null, + "DefinedTypes": "MyClass MyClass_", + "IsCollectible": true, + "ManifestModule": "RefEmit_InMemoryManifestModule", + "ReflectionOnly": false, + "Location": "", + "ImageRuntimeVersion": "", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": true, + "ExportedTypes": "MyClass", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Management.Automation.DynamicClassImplementationAssemblyAttribute(ScriptFile = \"C:\\Users\\Gebruiker\\OneDrive\\Scripts\\PowerShell\\PowerSnippets\\ObjectGraph\\ObjectGraphTools\\_Temp\\Hidden.ps1\")]", + "EscapedCodeBase": null, + "Modules": "RefEmit_InMemoryManifestModule", + "SecurityRuleSet": 0 + }, + "ModuleHandle": { + "MDStreamVersion": 131072 + }, + "CustomAttributes": [] + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712199048184 + } + }, + "UnderlyingSystemType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": { + "CodeBase": null, + "FullName": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "EntryPoint": null, + "DefinedTypes": "MyClass MyClass_", + "IsCollectible": true, + "ManifestModule": "RefEmit_InMemoryManifestModule", + "ReflectionOnly": false, + "Location": "", + "ImageRuntimeVersion": "", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": true, + "ExportedTypes": "MyClass", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Management.Automation.DynamicClassImplementationAssemblyAttribute(ScriptFile = \"C:\\Users\\Gebruiker\\OneDrive\\Scripts\\PowerShell\\PowerSnippets\\ObjectGraph\\ObjectGraphTools\\_Temp\\Hidden.ps1\")]", + "EscapedCodeBase": null, + "Modules": "RefEmit_InMemoryManifestModule", + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Object", + "AssemblyQualifiedName": "System.Object, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "ff77e388-6558-35eb-89cb-5ef50f4b9be2", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Object", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": null, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554586, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Object", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode() Void .ctor()", + "DeclaredMethods": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1056769, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": "[System.SerializableAttribute()] [System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)] [System.Runtime.InteropServices.ClassInterfaceAttribute((System.Runtime.InteropServices.ClassInterfaceType)1)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)True)] [System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712199048184 + } + }, + "UnderlyingSystemType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": "RefEmit_InMemoryManifestModule", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "MyClass", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMembers": "Void MyMethod() Void .ctor() System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMethods": "Void MyMethod()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + "Void .ctor()" + ], + "DeclaredEvents": [], + "DeclaredFields": [ + "System.Management.Automation.SessionStateInternal __sessionState" + ], + "DeclaredMembers": [ + "Void MyMethod()", + "Void .ctor()", + "System.Management.Automation.SessionStateInternal __sessionState" + ], + "DeclaredMethods": [ + "Void MyMethod()" + ], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [] + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + { + "Name": ".ctor", + "MemberType": 1, + "DeclaringType": "MyClass", + "ReflectedType": "MyClass", + "MetadataToken": 100663297, + "Module": "RefEmit_InMemoryManifestModule", + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 6150, + "CallingConvention": 33, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": true, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": true, + "IsStatic": false, + "IsVirtual": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "CustomAttributes": "", + "IsCollectible": true + } + ], + "DeclaredEvents": [], + "DeclaredFields": [ + { + "Name": "__sessionState", + "MetadataToken": 67108865, + "FieldHandle": "System.RuntimeFieldHandle", + "Attributes": 1, + "FieldType": "System.Management.Automation.SessionStateInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "MemberType": 4, + "ReflectedType": "MyClass", + "DeclaringType": "MyClass", + "Module": "RefEmit_InMemoryManifestModule", + "IsCollectible": true, + "IsInitOnly": false, + "IsLiteral": false, + "IsNotSerialized": false, + "IsPinvokeImpl": false, + "IsSpecialName": false, + "IsStatic": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": true, + "IsPublic": false, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "CustomAttributes": "" + } + ], + "DeclaredMembers": [ + { + "Name": "MyMethod", + "DeclaringType": "MyClass", + "ReflectedType": "MyClass", + "MemberType": 8, + "MetadataToken": 100663298, + "Module": "RefEmit_InMemoryManifestModule", + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 70, + "CallingConvention": 33, + "ReturnType": "void", + "ReturnTypeCustomAttributes": "Void", + "ReturnParameter": "Void", + "IsCollectible": true, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": false, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": false, + "IsStatic": false, + "IsVirtual": true, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "CustomAttributes": "[System.Management.Automation.HiddenAttribute()]" + }, + { + "Name": ".ctor", + "MemberType": 1, + "DeclaringType": "MyClass", + "ReflectedType": "MyClass", + "MetadataToken": 100663297, + "Module": "RefEmit_InMemoryManifestModule", + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 6150, + "CallingConvention": 33, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": true, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": true, + "IsStatic": false, + "IsVirtual": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "CustomAttributes": "", + "IsCollectible": true + }, + { + "Name": "__sessionState", + "MetadataToken": 67108865, + "FieldHandle": "System.RuntimeFieldHandle", + "Attributes": 1, + "FieldType": "System.Management.Automation.SessionStateInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "MemberType": 4, + "ReflectedType": "MyClass", + "DeclaringType": "MyClass", + "Module": "RefEmit_InMemoryManifestModule", + "IsCollectible": true, + "IsInitOnly": false, + "IsLiteral": false, + "IsNotSerialized": false, + "IsPinvokeImpl": false, + "IsSpecialName": false, + "IsStatic": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": true, + "IsPublic": false, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "CustomAttributes": "" + } + ], + "DeclaredMethods": [ + { + "Name": "MyMethod", + "DeclaringType": "MyClass", + "ReflectedType": "MyClass", + "MemberType": 8, + "MetadataToken": 100663298, + "Module": "RefEmit_InMemoryManifestModule", + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 70, + "CallingConvention": 33, + "ReturnType": "void", + "ReturnTypeCustomAttributes": "Void", + "ReturnParameter": "Void", + "IsCollectible": true, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": false, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": false, + "IsStatic": false, + "IsVirtual": true, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "CustomAttributes": "[System.Management.Automation.HiddenAttribute()]" + } + ], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [] + }, + "ReflectedType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Runtime.InteropServices.StructLayoutAttribute", + "AssemblyQualifiedName": "System.Runtime.InteropServices.StructLayoutAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System.Runtime.InteropServices", + "GUID": "b339a75d-a159-31c6-9265-23e3ba224d71", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "StructLayoutAttribute", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.Attribute", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33556012, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Runtime.InteropServices.StructLayoutAttribute", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor(System.Runtime.InteropServices.LayoutKind) Void .ctor(Int16)", + "DeclaredEvents": "", + "DeclaredFields": "System.Runtime.InteropServices.LayoutKind k__BackingField Int32 Pack Int32 Size System.Runtime.InteropServices.CharSet CharSet", + "DeclaredMembers": "System.Runtime.InteropServices.LayoutKind get_Value() Void .ctor(System.Runtime.InteropServices.LayoutKind) Void .ctor(Int16) System.Runtime.InteropServices.LayoutKind Value System.Runtime.InteropServices.LayoutKind k__BackingField Int32 Pack Int32 Size System.Runtime.InteropServices.CharSet CharSet", + "DeclaredMethods": "System.Runtime.InteropServices.LayoutKind get_Value()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "System.Runtime.InteropServices.LayoutKind Value", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048833, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "[System.AttributeUsageAttribute((System.AttributeTargets)12, Inherited = False)]" + } + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": { + "CodeBase": null, + "FullName": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "EntryPoint": null, + "DefinedTypes": [ + "MyClass", + "MyClass_" + ], + "IsCollectible": true, + "ManifestModule": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "" + }, + "ReflectionOnly": false, + "Location": "", + "ImageRuntimeVersion": "", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": true, + "ExportedTypes": [ + "MyClass" + ], + "IsFullyTrusted": true, + "CustomAttributes": [ + "[System.Management.Automation.DynamicClassImplementationAssemblyAttribute(ScriptFile = \"C:\\Users\\Gebruiker\\OneDrive\\Scripts\\PowerShell\\PowerSnippets\\ObjectGraph\\ObjectGraphTools\\_Temp\\Hidden.ps1\")]" + ], + "EscapedCodeBase": null, + "Modules": [ + "RefEmit_InMemoryManifestModule" + ], + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Object", + "AssemblyQualifiedName": "System.Object, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "ff77e388-6558-35eb-89cb-5ef50f4b9be2", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Object", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Private.CoreLib.dll", + "FullName": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "EntryPoint": null, + "DefinedTypes": "Interop Interop+OleAut32 Interop+Globalization Interop+Globalization+ResultCode Interop+BOOL Interop+Kernel32 Interop+Kernel32+NlsVersionInfoEx Interop+Kernel32+OVERLAPPED_ENTRY Interop+Kernel32+CONDITION_VARIABLE Interop+Kernel32+BY_HANDLE_FILE_INFORMATION Interop+Kernel32+CRITICAL_SECTION Interop+Kernel32+FILE_BASIC_INFO Interop+Kernel32+FILE_ALLOCATION_INFO Interop+Kernel32+FILE_END_OF_FILE_INFO Interop+Kernel32+FILE_STANDARD_INFO Interop+Kernel32+FILE_TIME Interop+Kernel32+FINDEX_INFO_LEVELS Interop+Kernel32+FINDEX_SEARCH_OPS Interop+Kernel32+GET_FILEEX_INFO_LEVELS Interop+Kernel32+CPINFO Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+PROCESS_MEMORY_COUNTERS Interop+Kernel32+MEMORY_BASIC_INFORMATION Interop+Kernel32+MEMORYSTATUSEX Interop+Kernel32+SymbolicLinkReparseBuffer Interop+Kernel32+MountPointReparseBuffer Interop+Kernel32+SECURITY_ATTRIBUTES Interop+Kernel32+STORAGE_READ_CAPACITY Interop+Kernel32+SYSTEM_INFO Interop+Kernel32+SYSTEMTIME Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+REG_TZI_FORMAT Interop+Kernel32+WIN32_FILE_ATTRIBUTE_DATA Interop+Kernel32+WIN32_FIND_DATA Interop+Kernel32+WIN32_FIND_DATA+<_cAlternateFileName>e__FixedBuffer Interop+Kernel32+WIN32_FIND_DATA+<_cFileName>e__FixedBuffer Interop+Kernel32+PROCESSOR_NUMBER Interop+Normaliz Interop+HostPolicy Interop+HostPolicy+corehost_resolve_component_dependencies_result_fn Interop+HostPolicy+corehost_error_writer_fn Interop+Advapi32 Interop+Advapi32+ActivityControl Interop+Advapi32+EVENT_FILTER_DESCRIPTOR Interop+Advapi32+EVENT_INFO_CLASS Interop+Advapi32+TRACE_QUERY_INFO_CLASS Interop+Advapi32+TRACE_GUID_INFO Interop+Advapi32+TRACE_PROVIDER_INSTANCE_INFO Interop+Advapi32+TRACE_ENABLE_INFO Interop+Advapi32+TOKEN_ELEVATION Interop+Advapi32+TOKEN_INFORMATION_CLASS Interop+BCrypt Interop+BCrypt+NTSTATUS Interop+Crypt32 Interop+BOOLEAN Interop+NtDll Interop+NtDll+CreateDisposition Interop+NtDll+CreateOptions Interop+NtDll+DesiredAccess Interop+NtDll+IO_STATUS_BLOCK Interop+NtDll+IO_STATUS_BLOCK+IO_STATUS Interop+NtDll+FILE_FULL_DIR_INFORMATION Interop+NtDll+FILE_INFORMATION_CLASS Interop+NtDll+RTL_OSVERSIONINFOEX Interop+NtDll+RTL_OSVERSIONINFOEX+e__FixedBuffer Interop+NtDll+SYSTEM_LEAP_SECOND_INFORMATION Interop+StatusOptions Interop+UNICODE_STRING Interop+SECURITY_QUALITY_OF_SERVICE Interop+ImpersonationLevel Interop+ContextTrackingMode Interop+OBJECT_ATTRIBUTES Interop+ObjectAttributes Interop+Ole32 Interop+Secur32 Interop+Shell32 Interop+Ucrtbase Interop+User32 Interop+User32+USEROBJECTFLAGS Interop+LongFileTime Microsoft.Win32.OAVariantLib Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource+<>c Microsoft.Win32.SafeHandles.SafeWaitHandle Microsoft.Win32.SafeHandles.SafeTokenHandle Microsoft.Win32.SafeHandles.SafeThreadHandle Microsoft.Win32.SafeHandles.SafeFindHandle Microsoft.Win32.SafeHandles.SafeThreadPoolIOHandle System.__Canon System.ArgIterator System.ArgIterator+SigPointer System.Array System.Array+ArrayAssignType System.Array+ArrayInitializeCache System.Array+EmptyArray`1[T] System.Array+SorterObjectArray System.Array+SorterGenericArray System.SZArrayHelper System.Attribute System.BadImageFormatException System.Buffer System.ComAwareWeakReference System.ComAwareWeakReference+ComInfo System.Currency System.Decimal System.Decimal+DecCalc System.Decimal+DecCalc+PowerOvfl System.Decimal+DecCalc+Buf12 System.Decimal+DecCalc+Buf16 System.Decimal+DecCalc+Buf24 System.Decimal+DecCalc+Buf28 System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.DelegateBindingFlags System.Enum System.Enum+EnumInfo`1[TStorage] System.Enum+<>c__62`1[TStorage] System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Environment+WindowsVersion System.Exception System.Exception+ExceptionMessageKind System.Exception+DispatchState System.GCCollectionMode System.GCNotificationStatus System.GC System.GC+GC_ALLOC_FLAGS System.GC+StartNoGCRegionStatus System.GC+EndNoGCRegionStatus System.GC+NoGCRegionCallbackFinalizerWorkItem System.GC+EnableNoGCRegionCallbackStatus System.GC+GCConfigurationContext System.GC+GCConfigurationType System.GC+RefreshMemoryStatus System.GC+GCHeapHardLimitInfo System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeTypeHandle+IntroducedMethodEnumerator System.RuntimeMethodHandleInternal System.RuntimeMethodInfoStub System.IRuntimeMethodInfo System.RuntimeMethodHandle System.RuntimeFieldHandleInternal System.IRuntimeFieldInfo System.RuntimeFieldInfoStub System.RuntimeFieldHandle System.ModuleHandle System.Signature System.Resolver System.Resolver+CORINFO_EH_CLAUSE System.RuntimeType System.RuntimeType+ActivatorCache System.RuntimeType+MemberListType System.RuntimeType+ListBuilder`1[T] System.RuntimeType+RuntimeTypeCache System.RuntimeType+RuntimeTypeCache+CacheType System.RuntimeType+RuntimeTypeCache+Filter System.RuntimeType+RuntimeTypeCache+MemberInfoCache`1[T] System.RuntimeType+RuntimeTypeCache+FunctionPointerCache System.RuntimeType+DispatchWrapperType System.RuntimeType+BoxCache System.RuntimeType+CreateUninitializedCache System.RuntimeType+CompositeCacheEntry System.RuntimeType+IGenericCacheEntry System.RuntimeType+IGenericCacheEntry`1[TCache] System.RuntimeType+CheckValueStatus System.TypeNameFormatFlags System.TypeNameKind System.MdUtf8String System.StartupHookProvider System.StartupHookProvider+StartupHookNameOrPath System.String System.String+SearchValuesStorage System.Type System.Type+<>c System.TypedReference System.TypeLoadException System.ValueType System.ValueType+ValueTypeHashCodeStrategy System.__ComObject System.OleAutBinder System.Variant System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppContextConfigHelper System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArrayEnumerator System.SZGenericArrayEnumeratorBase System.SZGenericArrayEnumerator`1[T] System.GenericEmptyEnumeratorBase System.GenericEmptyEnumerator`1[T] System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.ByReference System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.CurrentSystemTimeZone System.DataMisalignedException System.DateOnly System.DateOnly+<>c System.DateTime System.DateTime+LeapSecondCache System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DefaultBinder System.DefaultBinder+Primitives System.DefaultBinder+BinderState System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.Empty System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfoData System.GCMemoryInfo System.Gen2GcCallback System.DateTimeFormat System.DateTimeParse System.DateTimeParse+DTT System.DateTimeParse+TM System.DateTimeParse+DS System.__DTString System.DTSubStringType System.DTSubString System.DateTimeToken System.DateTimeRawInfo System.ParseFailureKind System.ParseFlags System.DateTimeResult System.ParsingInfo System.TokenType System.Guid System.Guid+GuidParseThrowStyle System.Guid+ParseFailure System.Guid+GuidResult System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.TwoObjects System.ThreeObjects System.EightObjects System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtfChar`1[TSelf] System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.LazyState System.LazyHelper System.Lazy`1[T] System.LazyDebugView`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalAppContextSwitches System.LocalDataStoreSlot System.MarshalByRefObject System.Marvin System.MemberAccessException System.Memory`1[T] System.MemoryDebugView`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+SpanSplitEnumeratorMode System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.Number System.Number+BigInteger System.Number+BigInteger+<_blocks>e__FixedBuffer System.Number+DiyFp System.Number+Grisu3 System.Number+IHexOrBinaryParser`1[TInteger] System.Number+HexParser`1[TInteger] System.Number+BinaryParser`1[TInteger] System.Number+NumberBuffer System.Number+NumberBufferKind System.Number+ParsingStatus System.IBinaryIntegerParseAndFormatInfo`1[TSelf] System.IBinaryFloatParseAndFormatInfo`1[TSelf] System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.ParseNumbers System.PasteArguments System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.ProgressStatics System.Random System.Random+ThreadSafeRandom System.Random+ImplBase System.Random+Net5CompatSeedImpl System.Random+Net5CompatDerivedImpl System.Random+CompatPrng System.Random+XoshiroImpl System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.SpanDebugView`1[T] System.SpanHelpers System.SpanHelpers+ComparerComparable`2[T,TComparer] System.SpanHelpers+Block16 System.SpanHelpers+Block64 System.SpanHelpers+INegator`1[T] System.SpanHelpers+DontNegate`1[T] System.SpanHelpers+Negate`1[T] System.PackedSpanHelpers System.PackedSpanHelpers+ITransform System.PackedSpanHelpers+NopTransform System.PackedSpanHelpers+Or20Transform System.SR System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.OrdinalCaseSensitiveComparer System.OrdinalIgnoreCaseComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.ThrowHelper System.ExceptionArgument System.ExceptionResource System.TimeOnly System.TimeOnly+<>c System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TimeZoneInfoResult System.TimeZoneInfo+CachedData System.TimeZoneInfo+StringSerializer System.TimeZoneInfo+StringSerializer+State System.TimeZoneInfo+TransitionTime System.TimeZoneInfo+OffsetAndRule System.TimeZoneInfo+<>c System.TimeZoneInfoOptions System.TimeZoneNotFoundException System.ITupleInternal System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleSlim`2[T1,T2] System.TupleSlim`3[T1,T2,T3] System.TupleSlim`4[T1,T2,T3,T4] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.IValueTupleInternal System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.TimeProvider+SystemTimeProviderTimer System.TimeProvider+SystemTimeProvider System.HexConverter System.HexConverter+Casing System.HexConverter+<>c System.NotImplemented System.Sha1ForNonSecretPurposes System.FixedBufferExtensions System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Private.CoreLib.Strings System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecureString+UnmanagedBuffer System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityElement+<>c System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.FastResourceComparer System.Resources.FileBasedResourceGroveler System.Resources.IResourceGroveler System.Resources.IResourceReader System.Resources.ManifestBasedResourceGroveler System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceFallbackManager System.Resources.ResourceFallbackManager+d__5 System.Resources.ResourceManager System.Resources.ResourceManager+CultureNameResourceSetPair System.Resources.ResourceManager+ResourceManagerMediator System.Resources.ResourceReader System.Resources.ResourceReader+ResourceEnumerator System.Resources.ResourceReader+<>c__DisplayClass7_0`1[TInstance] System.Resources.ResourceLocator System.Resources.ResourceSet System.Resources.ResourceTypeCode System.Resources.RuntimeResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.BitOperations+Crc32Fallback System.Numerics.Matrix3x2 System.Numerics.Matrix3x2+Impl System.Numerics.Matrix4x4 System.Numerics.Matrix4x4+Impl System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.VectorDebugView`1[T] System.Numerics.Crc32ReflectedTable System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Net.WebUtility+UrlDecoder System.Net.WebUtility+HtmlEntities System.Net.WebUtility+<>c System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarData System.Globalization.CalendarData+IcuEnumCalendarsData System.Globalization.CalendarData+EnumData System.Globalization.CalendarData+NlsEnumCalendarsData System.Globalization.CalendarData+<>c System.Globalization.CalendarDataType System.Globalization.CalendarWeekRule System.Globalization.CalendricalCalculationsHelper System.Globalization.CalendricalCalculationsHelper+CorrectionAlgorithm System.Globalization.CalendricalCalculationsHelper+EphemerisCorrectionAlgorithmMap System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareInfo+SortHandleCache System.Globalization.CompareOptions System.Globalization.CultureData System.Globalization.CultureData+LocaleStringData System.Globalization.CultureData+LocaleGroupingData System.Globalization.CultureData+LocaleNumberData System.Globalization.CultureData+EnumLocaleData System.Globalization.CultureData+EnumData System.Globalization.CultureInfo System.Globalization.CultureInfo+<>O System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.MonthNameStyles System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo+TokenHashValue System.Globalization.FORMATFLAGS System.Globalization.CalendarId System.Globalization.DateTimeFormatInfoScanner System.Globalization.DateTimeFormatInfoScanner+FoundDatePattern System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DaylightTimeStruct System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GlobalizationMode System.Globalization.GlobalizationMode+Settings System.Globalization.GregorianCalendar System.Globalization.EraInfo System.Globalization.GregorianCalendarHelper System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HebrewCalendar+DateBuffer System.Globalization.HebrewNumberParsingContext System.Globalization.HebrewNumberParsingState System.Globalization.HebrewNumber System.Globalization.HebrewNumber+HebrewToken System.Globalization.HebrewNumber+HebrewValue System.Globalization.HebrewNumber+HS System.Globalization.HijriCalendar System.Globalization.IcuLocaleDataParts System.Globalization.IcuLocaleData System.Globalization.IdnMapping System.Globalization.InvariantModeCasing System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseCalendar+<>O System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.Normalization System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.Ordinal System.Globalization.OrdinalCasing System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.StrongBidiCategory System.Globalization.SurrogateCasing System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.TextInfo+Tristate System.Globalization.TextInfo+ToUpperConversion System.Globalization.TextInfo+ToLowerConversion System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanFormat System.Globalization.TimeSpanFormat+StandardFormat System.Globalization.TimeSpanFormat+FormatLiterals System.Globalization.TimeSpanParse System.Globalization.TimeSpanParse+TimeSpanStandardStyles System.Globalization.TimeSpanParse+TTT System.Globalization.TimeSpanParse+TimeSpanToken System.Globalization.TimeSpanParse+TimeSpanTokenizer System.Globalization.TimeSpanParse+TimeSpanRawInfo System.Globalization.TimeSpanParse+TimeSpanResult System.Globalization.TimeSpanParse+StringParser System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UmAlQuraCalendar+DateMapping System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.CodeDom.Compiler.IndentedTextWriter+d__23 System.CodeDom.Compiler.IndentedTextWriter+d__38 System.CodeDom.Compiler.IndentedTextWriter+d__39 System.CodeDom.Compiler.IndentedTextWriter+d__40 System.CodeDom.Compiler.IndentedTextWriter+d__41 System.CodeDom.Compiler.IndentedTextWriter+d__42 System.CodeDom.Compiler.IndentedTextWriter+d__61 System.CodeDom.Compiler.IndentedTextWriter+d__62 System.CodeDom.Compiler.IndentedTextWriter+d__63 System.CodeDom.Compiler.IndentedTextWriter+d__64 System.CodeDom.Compiler.IndentedTextWriter+d__65 System.CodeDom.Compiler.IndentedTextWriter+d__66 System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.SpanFunc`5[TSpan,T1,T2,T3,TResult] System.Buffers.ArrayPool`1[T] System.Buffers.ArrayPoolEventSource System.Buffers.ArrayPoolEventSource+BufferAllocatedReason System.Buffers.ArrayPoolEventSource+BufferDroppedReason System.Buffers.ConfigurableArrayPool`1[T] System.Buffers.ConfigurableArrayPool`1+Bucket[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SharedArrayPool`1[T] System.Buffers.SharedArrayPool`1+<>c[T] System.Buffers.SharedArrayPoolThreadLocalArray System.Buffers.SharedArrayPoolPartitions System.Buffers.SharedArrayPoolPartitions+Partition System.Buffers.SharedArrayPoolStatics System.Buffers.Utilities System.Buffers.Utilities+MemoryPressure System.Buffers.Any1CharPackedSearchValues System.Buffers.Any1CharPackedIgnoreCaseSearchValues System.Buffers.Any2CharPackedIgnoreCaseSearchValues System.Buffers.Any3CharPackedSearchValues System.Buffers.Any2CharPackedSearchValues System.Buffers.Any1SearchValues`2[T,TImpl] System.Buffers.Any2SearchValues`2[T,TImpl] System.Buffers.Any3SearchValues`2[T,TImpl] System.Buffers.BitVector256 System.Buffers.BitVector256+<_values>e__FixedBuffer System.Buffers.ProbabilisticMapState System.Buffers.ProbabilisticWithAsciiCharSearchValues`1[TOptimizations] System.Buffers.Any4SearchValues`2[T,TImpl] System.Buffers.Any5SearchValues`2[T,TImpl] System.Buffers.AsciiByteSearchValues System.Buffers.AsciiCharSearchValues`1[TOptimizations] System.Buffers.IndexOfAnyAsciiSearcher System.Buffers.IndexOfAnyAsciiSearcher+AsciiState System.Buffers.IndexOfAnyAsciiSearcher+AnyByteState System.Buffers.IndexOfAnyAsciiSearcher+INegator System.Buffers.IndexOfAnyAsciiSearcher+DontNegate System.Buffers.IndexOfAnyAsciiSearcher+Negate System.Buffers.IndexOfAnyAsciiSearcher+IOptimizations System.Buffers.IndexOfAnyAsciiSearcher+Ssse3AndWasmHandleZeroInNeedle System.Buffers.IndexOfAnyAsciiSearcher+Default System.Buffers.IndexOfAnyAsciiSearcher+IResultMapper`2[T,TResult] System.Buffers.IndexOfAnyAsciiSearcher+ContainsAnyResultMapper`1[T] System.Buffers.IndexOfAnyAsciiSearcher+IndexOfAnyResultMapper`1[T] System.Buffers.AnyByteSearchValues System.Buffers.RangeByteSearchValues System.Buffers.RangeCharSearchValues`1[TShouldUsePacked] System.Buffers.ProbabilisticCharSearchValues System.Buffers.BitmapCharSearchValues System.Buffers.SearchValues System.Buffers.SearchValues+IRuntimeConst System.Buffers.SearchValues+TrueConst System.Buffers.SearchValues+FalseConst System.Buffers.SearchValues`1[T] System.Buffers.SearchValuesDebugView`1[T] System.Buffers.EmptySearchValues`1[T] System.Buffers.ProbabilisticMap System.Buffers.AhoCorasick System.Buffers.AhoCorasick+IFastScan System.Buffers.AhoCorasick+IndexOfAnyAsciiFastScan System.Buffers.AhoCorasick+NoFastScan System.Buffers.AhoCorasickBuilder System.Buffers.AhoCorasickNode System.Buffers.CharacterFrequencyHelper System.Buffers.RabinKarp System.Buffers.StringSearchValuesHelper System.Buffers.StringSearchValuesHelper+IValueLength System.Buffers.StringSearchValuesHelper+ValueLengthLessThan4 System.Buffers.StringSearchValuesHelper+ValueLength4To7 System.Buffers.StringSearchValuesHelper+ValueLength8OrLongerOrUnknown System.Buffers.StringSearchValuesHelper+ICaseSensitivity System.Buffers.StringSearchValuesHelper+CaseSensitive System.Buffers.StringSearchValuesHelper+CaseInsensitiveAsciiLetters System.Buffers.StringSearchValuesHelper+CaseInsensitiveAscii System.Buffers.StringSearchValuesHelper+CaseInsensitiveUnicode System.Buffers.TeddyBucketizer System.Buffers.TeddyHelper System.Buffers.AsciiStringSearchValuesTeddyBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBase`3[TBucketized,TStartCaseSensitivity,TCaseSensitivity] System.Buffers.MultiStringIgnoreCaseSearchValuesFallback System.Buffers.SingleStringSearchValuesThreeChars`2[TValueLength,TCaseSensitivity] System.Buffers.SingleStringSearchValuesFallback`1[TIgnoreCase] System.Buffers.StringSearchValues System.Buffers.StringSearchValues+<>c System.Buffers.StringSearchValuesBase System.Buffers.StringSearchValuesAhoCorasick`2[TCaseSensitivity,TFastScanVariant] System.Buffers.StringSearchValuesRabinKarp`1[TCaseSensitivity] System.Buffers.Text.Base64Helper System.Buffers.Text.Base64Helper+Base64DecoderByte System.Buffers.Text.Base64Helper+IBase64Encoder`1[T] System.Buffers.Text.Base64Helper+IBase64Decoder`1[T] System.Buffers.Text.Base64Helper+IBase64Validatable`1[T] System.Buffers.Text.Base64Helper+Base64CharValidatable System.Buffers.Text.Base64Helper+Base64ByteValidatable System.Buffers.Text.Base64Helper+Base64EncoderByte System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Base64Url+Base64UrlDecoderByte System.Buffers.Text.Base64Url+Base64UrlDecoderChar System.Buffers.Text.Base64Url+Base64UrlEncoderByte System.Buffers.Text.Base64Url+Base64UrlEncoderChar System.Buffers.Text.Base64Url+Base64UrlCharValidatable System.Buffers.Text.Base64Url+Base64UrlByteValidatable System.Buffers.Text.Base64Url+<>c System.Buffers.Text.FormattingHelpers System.Buffers.Text.Utf8Formatter System.Buffers.Text.ParserHelpers System.Buffers.Text.Utf8Parser System.Buffers.Text.Utf8Parser+ParseNumberOptions System.Buffers.Text.Utf8Parser+ComponentParseResult System.Buffers.Text.Utf8Parser+TimeSpanSplitter System.Buffers.Binary.BinaryPrimitives System.Buffers.Binary.BinaryPrimitives+Int16EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int32EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int64EndiannessReverser System.Buffers.Binary.BinaryPrimitives+IEndiannessReverser`1[T] System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.SynchronizationContext+<>c System.Threading.ThreadHandle System.Threading.Thread System.Threading.Thread+StartHelper System.Threading.Thread+LocalDataStore System.Threading.ThreadPool System.Threading.ThreadPool+<>c System.Threading.ThreadPool+d__26 System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.IAsyncLocal System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.IAsyncLocalValueMap System.Threading.AsyncLocalValueMap System.Threading.AsyncLocalValueMap+EmptyAsyncLocalValueMap System.Threading.AsyncLocalValueMap+OneElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+TwoElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ThreeElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+FourElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+MultiElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ManyElementAsyncLocalValueMap System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationToken+<>c System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CancellationTokenSource+States System.Threading.CancellationTokenSource+Linked1CancellationTokenSource System.Threading.CancellationTokenSource+Linked2CancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource+<>c System.Threading.CancellationTokenSource+Registrations System.Threading.CancellationTokenSource+Registrations+d__12 System.Threading.CancellationTokenSource+CallbackNode System.Threading.CancellationTokenSource+CallbackNode+<>c System.Threading.CancellationTokenSource+<>c System.Threading.CompressedStack System.Threading.StackCrawlMark System.Threading.IDeferredDisposable System.Threading.DeferredDisposableLifetime`1[T] System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IOCompletionCallbackHelper System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.Lock+State System.Threading.Lock+TryLockResult System.Threading.Lock+ThreadId System.Threading.LockRecursionException System.Threading.LowLevelLock System.Threading.LowLevelSpinWaiter System.Threading.LowLevelMonitor System.Threading.LowLevelMonitor+Monitor System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterCount System.Threading.ReaderWriterLockSlim System.Threading.ReaderWriterLockSlim+TimeoutTracker System.Threading.ReaderWriterLockSlim+SpinLock System.Threading.ReaderWriterLockSlim+WaiterStates System.Threading.ReaderWriterLockSlim+EnterSpinLockReason System.Threading.ReaderWriterLockSlim+EnterLockType System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SemaphoreSlim+TaskNode System.Threading.SemaphoreSlim+d__31 System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinLock+SystemThreading_SpinLockDebugView System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ProcessorIdCache System.Threading.ThreadAbortException System.Threading.ThreadBlockingInfo System.Threading.ThreadBlockingInfo+Scope System.Threading.ThreadBlockingInfo+ObjectKind System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInt64PersistentCounter System.Threading.ThreadInt64PersistentCounter+ThreadLocalNode System.Threading.ThreadInt64PersistentCounter+ThreadLocalNodeFinalizationHelper System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.ThreadLocal`1+LinkedSlotVolatile[T] System.Threading.ThreadLocal`1+LinkedSlot[T] System.Threading.ThreadLocal`1+IdManager[T] System.Threading.ThreadLocal`1+FinalizationHelper[T] System.Threading.SystemThreading_ThreadLocalDebugView`1[T] System.Threading.ThreadPoolWorkQueue System.Threading.ThreadPoolWorkQueue+WorkStealingQueueList System.Threading.ThreadPoolWorkQueue+WorkStealingQueue System.Threading.ThreadPoolWorkQueue+QueueProcessingStage System.Threading.ThreadPoolWorkQueue+CacheLineSeparated System.Threading.ThreadPoolWorkQueueThreadLocals System.Threading.IThreadPoolTypedWorkItemQueueCallback`1[T] System.Threading.ThreadPoolTypedWorkItemQueue`2[T,TCallback] System.Threading.ThreadPoolTypedWorkItemQueue`2+QueueProcessingStage[T,TCallback] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.QueueUserWorkItemCallbackBase System.Threading.QueueUserWorkItemCallback System.Threading.QueueUserWorkItemCallback+<>c System.Threading.QueueUserWorkItemCallback`1[TState] System.Threading.QueueUserWorkItemCallbackDefaultContext System.Threading.QueueUserWorkItemCallbackDefaultContext`1[TState] System.Threading._ThreadPoolWaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.TimeoutHelper System.Threading.PeriodicTimer System.Threading.PeriodicTimer+State System.Threading.PeriodicTimer+State+<>c System.Threading.PeriodicTimer+<>c System.Threading.TimerCallback System.Threading.TimerQueue System.Threading.TimerQueue+TimerQueueDebuggerTypeProxy System.Threading.TimerQueue+<>O System.Threading.TimerQueue+d__7 System.Threading.TimerQueueTimer System.Threading.TimerQueueTimer+TimerDebuggerTypeProxy System.Threading.TimerQueueTimer+<>c System.Threading.TimerHolder System.Threading.Timer System.Threading.Timer+<>c System.Threading.Volatile System.Threading.Volatile+VolatileBoolean System.Threading.Volatile+VolatileByte System.Threading.Volatile+VolatileInt16 System.Threading.Volatile+VolatileInt32 System.Threading.Volatile+VolatileIntPtr System.Threading.Volatile+VolatileSByte System.Threading.Volatile+VolatileSingle System.Threading.Volatile+VolatileUInt16 System.Threading.Volatile+VolatileUInt32 System.Threading.Volatile+VolatileUIntPtr System.Threading.Volatile+VolatileObject System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.Win32ThreadPoolNativeOverlapped System.Threading.Win32ThreadPoolNativeOverlapped+ExecutionContextCallbackArgs System.Threading.Win32ThreadPoolNativeOverlapped+OverlappedData System.Threading.Win32ThreadPoolNativeOverlapped+<>O System.Threading.ITimer System.Threading.OpenExistingResult System.Threading.AsyncOverSyncWithIoCancellation System.Threading.AsyncOverSyncWithIoCancellation+SyncAsyncWorkItemRegistration System.Threading.AsyncOverSyncWithIoCancellation+<>c System.Threading.AsyncOverSyncWithIoCancellation+d__7`1[TState] System.Threading.AsyncOverSyncWithIoCancellation+d__8`2[TState,TResult] System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.WindowsThreadPool System.Threading.WindowsThreadPool+ThreadCountHolder System.Threading.WindowsThreadPool+WorkingThreadCounter System.Threading.WindowsThreadPool+<>O System.Threading.CompleteWaitThreadPoolWorkItem System.Threading.PortableThreadPool System.Threading.PortableThreadPool+CacheLineSeparated System.Threading.PortableThreadPool+PendingBlockingAdjustment System.Threading.PortableThreadPool+BlockingConfig System.Threading.PortableThreadPool+GateThread System.Threading.PortableThreadPool+GateThread+DelayHelper System.Threading.PortableThreadPool+GateThread+<>O System.Threading.PortableThreadPool+HillClimbing System.Threading.PortableThreadPool+HillClimbing+StateOrTransition System.Threading.PortableThreadPool+HillClimbing+LogEntry System.Threading.PortableThreadPool+HillClimbing+Complex System.Threading.PortableThreadPool+IOCompletionPoller System.Threading.PortableThreadPool+IOCompletionPoller+Callback System.Threading.PortableThreadPool+IOCompletionPoller+Event System.Threading.PortableThreadPool+ThreadCounts System.Threading.PortableThreadPool+WaitThreadNode System.Threading.PortableThreadPool+WaitThread System.Threading.PortableThreadPool+WorkerThread System.Threading.PortableThreadPool+WorkerThread+<>c System.Threading.PortableThreadPool+CountsOfThreadsProcessingUserCallbacks System.Threading.PortableThreadPool+CpuUtilizationReader System.Threading.LowLevelLifoSemaphore System.Threading.LowLevelLifoSemaphore+Counts System.Threading.LowLevelLifoSemaphore+CacheLineSeparatedCounts System.Threading.ThreadPoolBoundHandleOverlapped System.Threading.ThreadPoolCallbackWrapper System.Threading.Tasks.AsyncCausalityStatus System.Threading.Tasks.CausalityRelation System.Threading.Tasks.CausalitySynchronousWork System.Threading.Tasks.CachedCompletedInt32Task System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+CompletionState System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+SchedulerWorkItem System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+<>c System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ProcessingMode System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+<>c System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.SystemThreadingTasks_FutureDebugView`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskFactory`1+FromAsyncTrimPromise`1[TResult,TInstance] System.Threading.Tasks.TaskFactory`1+<>c[TResult] System.Threading.Tasks.TaskFactory`1+<>c__56`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__67`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass32_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass35_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass38_0`1[TResult,TArg1] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass41_0`2[TResult,TArg1,TArg2] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass44_0`3[TResult,TArg1,TArg2,TArg3] System.Threading.Tasks.LoggingExtensions System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.Task+TaskStateFlags System.Threading.Tasks.Task+ContingentProperties System.Threading.Tasks.Task+CancellationPromise`1[TResult] System.Threading.Tasks.Task+CancellationPromise`1+<>c[TResult] System.Threading.Tasks.Task+SetOnInvokeMres System.Threading.Tasks.Task+SetOnCountdownMres System.Threading.Tasks.Task+DelayPromise System.Threading.Tasks.Task+DelayPromiseWithCancellation System.Threading.Tasks.Task+DelayPromiseWithCancellation+<>c System.Threading.Tasks.Task+WhenAllPromise System.Threading.Tasks.Task+WhenAllPromise+<>c__DisplayClass2_0 System.Threading.Tasks.Task+WhenAllPromise`1[T] System.Threading.Tasks.Task+TwoTaskWhenAnyPromise`1[TTask] System.Threading.Tasks.Task+WhenEachState System.Threading.Tasks.Task+WhenEachState+d__15`1[T] System.Threading.Tasks.Task+<>c System.Threading.Tasks.CompletionActionInvoker System.Threading.Tasks.SystemThreadingTasks_TaskDebugView System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.InternalTaskOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.VoidTaskResult System.Threading.Tasks.ITaskCompletionAction System.Threading.Tasks.UnwrapPromise`1[TResult] System.Threading.Tasks.UnwrapPromise`1+<>c[TResult] System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskAsyncEnumerableExtensions+ManualResetEventWithAwaiterSupport System.Threading.Tasks.TaskAsyncEnumerableExtensions+d__3`1[T] System.Threading.Tasks.TaskCache System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.ContinuationTaskFromTask System.Threading.Tasks.ContinuationResultTaskFromTask`1[TResult] System.Threading.Tasks.ContinuationTaskFromResultTask`1[TAntecedentResult] System.Threading.Tasks.ContinuationResultTaskFromResultTask`2[TAntecedentResult,TResult] System.Threading.Tasks.TaskContinuation System.Threading.Tasks.ContinueWithTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>O System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c__DisplayClass6_0 System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation+<>c System.Threading.Tasks.AwaitTaskContinuation System.Threading.Tasks.AwaitTaskContinuation+<>c System.Threading.Tasks.TaskExceptionHolder System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise`1[T] System.Threading.Tasks.TaskFactory+CompleteOnInvokePromise`1[TTask] System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskScheduler+SystemThreadingTasks_TaskSchedulerDebugView System.Threading.Tasks.SynchronizationContextTaskScheduler System.Threading.Tasks.SynchronizationContextTaskScheduler+<>c System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ThreadPoolTaskScheduler System.Threading.Tasks.ThreadPoolTaskScheduler+<>c System.Threading.Tasks.ThreadPoolTaskScheduler+d__6 System.Threading.Tasks.TplEventSource System.Threading.Tasks.TplEventSource+TaskWaitBehavior System.Threading.Tasks.TplEventSource+Tasks System.Threading.Tasks.TplEventSource+Keywords System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask+<>c System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask+<>c[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.TaskToAsyncResult+TaskAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Threading.Tasks.Sources.CapturedSchedulerAndExecutionContext System.Threading.Tasks.Sources.ManualResetValueTaskSourceCoreShared System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+ChunkEnumerator+ManyChunkInfo System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.Ascii+ToUpperConversion System.Text.Ascii+ToLowerConversion System.Text.Ascii+ILoader`2[TLeft,TRight] System.Text.Ascii+PlainLoader`1[T] System.Text.Ascii+WideningLoader System.Text.ASCIIEncoding System.Text.ASCIIEncoding+ASCIIEncodingSealed System.Text.CodePageDataItem System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderNLS System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderLatin1BestFitFallback System.Text.EncoderLatin1BestFitFallbackBuffer System.Text.EncoderNLS System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.Encoding+DefaultEncoder System.Text.Encoding+DefaultDecoder System.Text.Encoding+EncodingCharBuffer System.Text.Encoding+EncodingByteBuffer System.Text.EncodingTable System.Text.EncodingInfo System.Text.EncodingProvider System.Text.Latin1Encoding System.Text.Latin1Encoding+Latin1EncodingSealed System.Text.Latin1Utility System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.TranscodingStream System.Text.TranscodingStream+<g__DisposeAsyncCore|30_0>d System.Text.TranscodingStream+<g__ReadAsyncCore|41_0>d System.Text.TranscodingStream+<g__WriteAsyncCore|50_0>d System.Text.TrimType System.Text.UnicodeEncoding System.Text.UnicodeEncoding+Decoder System.Text.UnicodeUtility System.Text.UTF32Encoding System.Text.UTF32Encoding+UTF32Decoder System.Text.UTF7Encoding System.Text.UTF7Encoding+Decoder System.Text.UTF7Encoding+Encoder System.Text.UTF7Encoding+DecoderUTF7Fallback System.Text.UTF7Encoding+DecoderUTF7FallbackBuffer System.Text.UTF8Encoding System.Text.UTF8Encoding+UTF8EncodingSealed System.Text.ValueStringBuilder System.Text.StringBuilderCache System.Text.Unicode.GraphemeClusterBreakType System.Text.Unicode.TextSegmentationUtility System.Text.Unicode.TextSegmentationUtility+DecodeFirstRune`1[T] System.Text.Unicode.TextSegmentationUtility+Processor`1[T] System.Text.Unicode.Utf16Utility System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Text.Unicode.Utf8Utility System.StubHelpers.AnsiCharMarshaler System.StubHelpers.CSTRMarshaler System.StubHelpers.UTF8BufferMarshaler System.StubHelpers.BSTRMarshaler System.StubHelpers.VBByValStrMarshaler System.StubHelpers.AnsiBSTRMarshaler System.StubHelpers.FixedWSTRMarshaler System.StubHelpers.ObjectMarshaler System.StubHelpers.HandleMarshaler System.StubHelpers.DateMarshaler System.StubHelpers.InterfaceMarshaler System.StubHelpers.MngdNativeArrayMarshaler System.StubHelpers.MngdNativeArrayMarshaler+MarshalerState System.StubHelpers.MngdFixedArrayMarshaler System.StubHelpers.MngdFixedArrayMarshaler+MarshalerState System.StubHelpers.MngdSafeArrayMarshaler System.StubHelpers.MngdRefCustomMarshaler System.StubHelpers.AsAnyMarshaler System.StubHelpers.AsAnyMarshaler+BackPropAction System.StubHelpers.CleanupWorkListElement System.StubHelpers.KeepAliveCleanupWorkListElement System.StubHelpers.SafeHandleCleanupWorkListElement System.StubHelpers.StubHelpers System.Runtime.ControlledExecution System.Runtime.ControlledExecution+Canceler System.Runtime.ControlledExecution+<>c System.Runtime.DependentHandle System.Runtime.RhFailFastReason System.Runtime.EH System.Runtime.EH+RhEHClauseKind System.Runtime.EH+RhEHClause System.Runtime.EH+EHEnum System.Runtime.EH+MethodRegionInfo System.Runtime.EH+PAL_LIMITED_CONTEXT System.Runtime.EH+ExKind System.Runtime.EH+ExInfo System.Runtime.ExceptionIDs System.Runtime.REGDISPLAY System.Runtime.StackFrameIterator System.Runtime.GCSettings System.Runtime.GCSettings+SetLatencyModeStatus System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCFrameRegistration System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.SxSRequirements System.Runtime.Versioning.VersioningHelper System.Runtime.Versioning.NonVersionableAttribute System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.DeserializationTracker System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+InternalState System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyLoadContext+d__88 System.Runtime.Loader.AssemblyLoadContext+d__58 System.Runtime.Loader.DefaultAssemblyLoadContext System.Runtime.Loader.IndividualAssemblyLoadContext System.Runtime.Loader.LibraryNameVariation System.Runtime.Loader.LibraryNameVariation+d__4 System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Loader.AssemblyDependencyResolver+<>c__DisplayClass6_0 System.Runtime.Intrinsics.ISimdVector`2[TSelf,T] System.Runtime.Intrinsics.Scalar`1[T] System.Runtime.Intrinsics.SimdVectorExtensions System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector128DebugView`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector256DebugView`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector512DebugView`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Vector64DebugView`1[T] System.Runtime.Intrinsics.VectorMath System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.DynamicInterfaceCastableHelpers System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.Marshal+<>O System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.MemoryMarshal+<g__FromArray|18_2>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromMemoryManager|18_1>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromString|18_0>d`1[T] System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappersScenario System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch+ComInterfaceInstance System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.IDispatch System.Runtime.InteropServices.InvokeFlags System.Runtime.InteropServices.ComEventsMethod System.Runtime.InteropServices.ComEventsMethod+DelegateWrapper System.Runtime.InteropServices.ComEventsSink System.Runtime.InteropServices.BuiltInInteropVariantExtensions System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.ComEventsInfo System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PosixSignalRegistration+Token System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.IMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ComVariant+TypeUnion System.Runtime.InteropServices.Marshalling.ComVariant+Record System.Runtime.InteropServices.Marshalling.ComVariant+Blob System.Runtime.InteropServices.Marshalling.ComVariant+Vector`1[T] System.Runtime.InteropServices.Marshalling.ComVariant+VersionedStream System.Runtime.InteropServices.Marshalling.ComVariant+ClipboardData System.Runtime.InteropServices.Marshalling.ComVariant+UnionTypes System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.CustomMarshalers.ComDataHelpers System.Runtime.InteropServices.CustomMarshalers.EnumVariantViewOfEnumerator System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumerableViewOfDispatch System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumeratorViewOfEnumVariant System.Runtime.InteropServices.CustomMarshalers.ExpandoToDispatchExMarshaler System.Runtime.InteropServices.CustomMarshalers.TypeToTypeInfoMarshaler System.Runtime.InteropServices.ComTypes.IEnumerable System.Runtime.InteropServices.ComTypes.IEnumerator System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.InternalCalls System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.CastHelpers System.Runtime.CompilerServices.ICastableHelpers System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.RawData System.Runtime.CompilerServices.RawArrayData System.Runtime.CompilerServices.MethodTable System.Runtime.CompilerServices.MethodTableAuxiliaryData System.Runtime.CompilerServices.TypeHandle System.Runtime.CompilerServices.PortableTailCallFrame System.Runtime.CompilerServices.TailCallTls System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncMethodBuilderCore+ContinuationWrapper System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+DebugFinalizableAsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+AsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CastResult System.Runtime.CompilerServices.CastCache System.Runtime.CompilerServices.CastCache+CastCacheEntry System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompExactlyDependsOnAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Enumerator[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Entry[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Container[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+<>c[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.FormattableStringFactory+ConcreteFormattableString System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.IAsyncStateMachineBox System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IntrinsicAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+SyncSuccessSentinelStateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StackAllocatedBox`1[T] System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter+<>c System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ITaskAwaiter System.Runtime.CompilerServices.IConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter+<>c System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.IStateMachineBoxAwareAwaiter System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter+<>c System.Runtime.CompilerServices.StringHandleOnStack System.Runtime.CompilerServices.ObjectHandleOnStack System.Runtime.CompilerServices.StackCrawlMarkHandle System.Runtime.CompilerServices.QCallModule System.Runtime.CompilerServices.QCallAssembly System.Runtime.CompilerServices.QCallTypeHandle System.Reflection.Assembly System.Reflection.Assembly+<>O System.Reflection.NativeAssemblyNameParts System.Reflection.AssemblyName System.Reflection.Associates System.Reflection.Associates+Attributes System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.LoaderAllocatorScout System.Reflection.LoaderAllocator System.Reflection.MdConstant System.Reflection.MdFieldInfo System.Reflection.MdSigCallingConvention System.Reflection.PInvokeAttributes System.Reflection.MethodSemanticsAttributes System.Reflection.MetadataTokenType System.Reflection.ConstArray System.Reflection.MetadataToken System.Reflection.MetadataEnumResult System.Reflection.MetadataEnumResult+SmallIntArray System.Reflection.MetadataImport System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodBase+InvokerStrategy System.Reflection.MethodBase+InvokerArgFlags System.Reflection.MethodBase+ArgumentData`1[T] System.Reflection.MethodBase+StackAllocatedArguments System.Reflection.MethodBase+StackAllocatedArgumentsWithCopyBack System.Reflection.MethodBase+StackAllocatedByRefs System.Reflection.MethodBaseInvoker System.Reflection.MethodInvoker System.Reflection.ModifiedType System.Reflection.ModifiedType+TypeSignature System.Reflection.RtFieldInfo System.Reflection.RuntimeAssembly System.Reflection.RuntimeAssembly+ManifestResourceStream System.Reflection.RuntimeConstructorInfo System.Reflection.RuntimeCustomAttributeData System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeRecord System.Reflection.CustomAttributeEncoding System.Reflection.PrimitiveValue System.Reflection.CustomAttributeEncodedArgument System.Reflection.CustomAttributeEncodedArgument+CustomAttributeDataParser System.Reflection.CustomAttributeCtorParameter System.Reflection.CustomAttributeNamedParameter System.Reflection.CustomAttributeType System.Reflection.CustomAttribute System.Reflection.PseudoCustomAttribute System.Reflection.RuntimeEventInfo System.Reflection.RuntimeExceptionHandlingClause System.Reflection.RuntimeFieldInfo System.Reflection.RuntimeLocalVariableInfo System.Reflection.RuntimeMethodBody System.Reflection.RuntimeMethodInfo System.Reflection.RuntimeModule System.Reflection.RuntimeParameterInfo System.Reflection.RuntimePropertyInfo System.Reflection.TypeNameResolver System.Reflection.CerHashtable`2[K,V] System.Reflection.CerHashtable`2+Table[K,V] System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameHelpers System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CorElementType System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAccessor System.Reflection.FieldAccessor+FieldAccessorType System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.InvocationFlags System.Reflection.InvokerEmitUtil System.Reflection.InvokerEmitUtil+InvokeFunc_RefArgs System.Reflection.InvokerEmitUtil+InvokeFunc_ObjSpanArgs System.Reflection.InvokerEmitUtil+InvokeFunc_Obj4Args System.Reflection.InvokerEmitUtil+ThrowHelper System.Reflection.InvokerEmitUtil+Methods System.Reflection.InvokeUtils System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.MethodInvokerCommon System.Reflection.Missing System.Reflection.ModifiedHasElementType System.Reflection.ModifiedFunctionPointerType System.Reflection.ModifiedGenericType System.Reflection.Module System.Reflection.Module+<>c System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.NullabilityInfoContext+NotAnnotatedStatus System.Reflection.NullabilityInfoContext+NullableAttributeStateParser System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.SignatureArrayType System.Reflection.SignatureByRefType System.Reflection.SignatureCallingConvention System.Reflection.SignatureConstructedGenericType System.Reflection.SignatureGenericMethodParameterType System.Reflection.SignatureGenericParameterType System.Reflection.SignatureHasElementType System.Reflection.SignaturePointerType System.Reflection.SignatureType System.Reflection.SignatureTypeExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.TypeInfo+d__10 System.Reflection.TypeInfo+d__22 System.Reflection.AssemblyNameParser System.Reflection.AssemblyNameParser+AssemblyNameParts System.Reflection.AssemblyNameParser+Token System.Reflection.AssemblyNameParser+AttributeKind System.Reflection.AssemblyNameFormatter System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler System.Reflection.Metadata.TypeNameParseOptions System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Metadata.AssemblyNameInfo System.Reflection.Metadata.TypeName System.Reflection.Metadata.TypeNameHelpers System.Reflection.Metadata.TypeNameParser System.Reflection.Metadata.TypeNameParserHelpers System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILGenerator System.Reflection.Emit.DynamicResolver System.Reflection.Emit.DynamicResolver+DestroyScout System.Reflection.Emit.DynamicResolver+SecurityControlFlags System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicScope System.Reflection.Emit.GenericMethodInfo System.Reflection.Emit.GenericFieldInfo System.Reflection.Emit.VarArgMethod System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.AssemblyBuilder+ForceAllowDynamicCodeScope System.Reflection.Emit.RuntimeAssemblyBuilder System.Reflection.Emit.RuntimeConstructorBuilder System.Reflection.Emit.RuntimeEnumBuilder System.Reflection.Emit.RuntimeEventBuilder System.Reflection.Emit.RuntimeFieldBuilder System.Reflection.Emit.RuntimeGenericTypeParameterBuilder System.Reflection.Emit.RuntimeILGenerator System.Reflection.Emit.__LabelInfo System.Reflection.Emit.__FixupData System.Reflection.Emit.__ExceptionInfo System.Reflection.Emit.ScopeAction System.Reflection.Emit.ScopeTree System.Reflection.Emit.RuntimeLocalBuilder System.Reflection.Emit.RuntimeMethodBuilder System.Reflection.Emit.LocalSymInfo System.Reflection.Emit.ExceptionHandler System.Reflection.Emit.RuntimeModuleBuilder System.Reflection.Emit.RuntimeParameterBuilder System.Reflection.Emit.RuntimePropertyBuilder System.Reflection.Emit.RuntimeTypeBuilder System.Reflection.Emit.RuntimeTypeBuilder+CustAttr System.Reflection.Emit.SignatureHelper System.Reflection.Emit.SymbolMethod System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.ConstructorOnTypeBuilderInstantiation System.Reflection.Emit.EmptyCAHolder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FieldOnTypeBuilderInstantiation System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.MethodBuilderInstantiation System.Reflection.Emit.MethodOnTypeBuilderInstantiation System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodeValues System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeKind System.Reflection.Emit.SymbolType System.Reflection.Emit.TypeBuilder System.Reflection.Emit.TypeBuilderInstantiation System.Reflection.Emit.TypeNameBuilder System.Reflection.Emit.TypeNameBuilder+Format System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.BufferedStream+d__68 System.IO.BufferedStream+d__33 System.IO.BufferedStream+d__36 System.IO.BufferedStream+d__40 System.IO.BufferedStream+d__48 System.IO.BufferedStream+d__59 System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EncodingCache System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.File+<g__Core|67_0>d System.IO.File+<g__Core|103_0>d System.IO.File+d__100 System.IO.File+d__101 System.IO.File+d__106 System.IO.File+d__94 System.IO.File+d__110 System.IO.File+d__124 System.IO.File+d__122 System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStream+d__57 System.IO.FileStreamOptions System.IO.FileSystem System.IO.FileSystem+<>c__DisplayClass50_0 System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.Iterator`1[TSource] System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.Path+JoinInternalState System.IO.Path+<>c System.IO.PathTooLongException System.IO.PinnedBufferMemoryStream System.IO.RandomAccess System.IO.RandomAccess+CallbackResetEvent System.IO.RandomAccess+IMemoryHandler`1[T] System.IO.RandomAccess+MemoryHandler System.IO.RandomAccess+ReadOnlyMemoryHandler System.IO.RandomAccess+<>c System.IO.RandomAccess+d__31 System.IO.RandomAccess+d__29 System.IO.RandomAccess+d__35 System.IO.RandomAccess+d__33 System.IO.ReadLinesIterator System.IO.SearchOption System.IO.SearchTarget System.IO.SeekOrigin System.IO.Stream System.IO.Stream+ReadWriteParameters System.IO.Stream+ReadWriteTask System.IO.Stream+ReadWriteTask+<>O System.IO.Stream+NullStream System.IO.Stream+SyncStream System.IO.Stream+<g__Core|27_0>d System.IO.Stream+<g__FinishReadAsync|42_0>d System.IO.Stream+<>c System.IO.Stream+d__61 System.IO.Stream+d__46 System.IO.StreamReader System.IO.StreamReader+NullStreamReader System.IO.StreamReader+d__69 System.IO.StreamReader+d__72 System.IO.StreamReader+d__63 System.IO.StreamReader+d__66 System.IO.StreamWriter System.IO.StreamWriter+NullStreamWriter System.IO.StreamWriter+<g__Core|79_0>d System.IO.StreamWriter+d__37 System.IO.StreamWriter+d__67 System.IO.StreamWriter+d__71 System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextReader+SyncTextReader System.IO.TextReader+<>c System.IO.TextReader+d__23 System.IO.TextReader+d__17 System.IO.TextWriter System.IO.TextWriter+NullTextWriter System.IO.TextWriter+SyncTextWriter System.IO.TextWriter+BroadcastingTextWriter System.IO.TextWriter+BroadcastingTextWriter+d__10 System.IO.TextWriter+BroadcastingTextWriter+d__12 System.IO.TextWriter+BroadcastingTextWriter+d__13 System.IO.TextWriter+BroadcastingTextWriter+d__55 System.IO.TextWriter+BroadcastingTextWriter+d__56 System.IO.TextWriter+BroadcastingTextWriter+d__57 System.IO.TextWriter+BroadcastingTextWriter+d__58 System.IO.TextWriter+BroadcastingTextWriter+d__59 System.IO.TextWriter+BroadcastingTextWriter+d__60 System.IO.TextWriter+BroadcastingTextWriter+d__61 System.IO.TextWriter+BroadcastingTextWriter+d__62 System.IO.TextWriter+BroadcastingTextWriter+d__63 System.IO.TextWriter+BroadcastingTextWriter+d__64 System.IO.TextWriter+BroadcastingTextWriter+d__65 System.IO.TextWriter+<g__WriteAsyncCore|62_0>d System.IO.TextWriter+<g__WriteLineAsyncCore|68_0>d System.IO.TextWriter+<>c System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.UnmanagedMemoryStreamWrapper System.IO.PathInternal System.IO.DisableMediaInsertionPrompt System.IO.DriveInfoInternal System.IO.PathHelper System.IO.Win32Marshal System.IO.Strategies.BufferedFileStreamStrategy System.IO.Strategies.BufferedFileStreamStrategy+d__57 System.IO.Strategies.BufferedFileStreamStrategy+d__27 System.IO.Strategies.BufferedFileStreamStrategy+d__55 System.IO.Strategies.BufferedFileStreamStrategy+d__37 System.IO.Strategies.BufferedFileStreamStrategy+d__36 System.IO.Strategies.BufferedFileStreamStrategy+d__48 System.IO.Strategies.BufferedFileStreamStrategy+d__47 System.IO.Strategies.DerivedFileStreamStrategy System.IO.Strategies.FileStreamHelpers System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable+<>c System.IO.Strategies.FileStreamHelpers+<>c System.IO.Strategies.FileStreamHelpers+d__21 System.IO.Strategies.FileStreamStrategy System.IO.Strategies.OSFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy+d__5 System.IO.Strategies.SyncWindowsFileStreamStrategy System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemEnumerable`1+DelegateEnumerator[TResult] System.IO.Enumeration.FileSystemEnumerableFactory System.IO.Enumeration.FileSystemEnumerableFactory+<>c System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass2_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass3_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass4_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass5_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass6_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass7_0 System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.Debugger+CrossThreadDependencyNotification System.Diagnostics.EditAndContinueHelper System.Diagnostics.ICustomDebuggerNotification System.Diagnostics.StackFrame System.Diagnostics.StackFrameHelper System.Diagnostics.StackFrameHelper+GetSourceLineInfoDelegate System.Diagnostics.StackTrace System.Diagnostics.StackTrace+TraceFormat System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DebugProvider+DebugAssertException System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.ActivityTracker System.Diagnostics.Tracing.ActivityTracker+ActivityInfo System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.CounterGroup System.Diagnostics.Tracing.CounterGroup+<>O System.Diagnostics.Tracing.CounterPayload System.Diagnostics.Tracing.CounterPayload+d__51 System.Diagnostics.Tracing.IncrementingCounterPayload System.Diagnostics.Tracing.IncrementingCounterPayload+d__39 System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.CounterPayloadType System.Diagnostics.Tracing.EventDescriptor System.Diagnostics.Tracing.EventPipeEventInstanceData System.Diagnostics.Tracing.EventPipeSessionInfo System.Diagnostics.Tracing.EventPipeProviderConfiguration System.Diagnostics.Tracing.EventPipeSerializationFormat System.Diagnostics.Tracing.EventPipeInternal System.Diagnostics.Tracing.EventPipeInternal+EventPipeProviderConfigurationNative System.Diagnostics.Tracing.EventPipeEventDispatcher System.Diagnostics.Tracing.EventPipeEventDispatcher+EventListenerSubscription System.Diagnostics.Tracing.EventPipeEventDispatcher+<>c__DisplayClass12_0 System.Diagnostics.Tracing.EventPipeEventProvider System.Diagnostics.Tracing.EventPipeMetadataGenerator System.Diagnostics.Tracing.EventParameterInfo System.Diagnostics.Tracing.EventPipePayloadDecoder System.Diagnostics.Tracing.EventProviderType System.Diagnostics.Tracing.ControllerCommand System.Diagnostics.Tracing.EventProvider System.Diagnostics.Tracing.EventProvider+EventData System.Diagnostics.Tracing.EventProvider+WriteEventErrorCode System.Diagnostics.Tracing.EtwEventProvider System.Diagnostics.Tracing.EtwEventProvider+SessionInfo System.Diagnostics.Tracing.EtwEventProvider+SessionInfoCallback System.Diagnostics.Tracing.EtwEventProvider+<>O System.Diagnostics.Tracing.EventProviderImpl System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSource+EventData System.Diagnostics.Tracing.EventSource+OverrideEventProvider System.Diagnostics.Tracing.EventSource+EventMetadata System.Diagnostics.Tracing.EventSource+<>O System.Diagnostics.Tracing.EventSourceInitHelper System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventListener+<>c System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs+MoreEventInfo System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventChannelAttribute System.Diagnostics.Tracing.EventChannelType System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.SessionMask System.Diagnostics.Tracing.EventDispatcher System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.ManifestBuilder System.Diagnostics.Tracing.ManifestBuilder+ChannelInfo System.Diagnostics.Tracing.ManifestBuilder+<>c System.Diagnostics.Tracing.ManifestEnvelope System.Diagnostics.Tracing.ManifestEnvelope+ManifestFormats System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.FrameworkEventSource System.Diagnostics.Tracing.FrameworkEventSource+Keywords System.Diagnostics.Tracing.FrameworkEventSource+Tasks System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingEventCounterPayloadType System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.IncrementingPollingCounterPayloadType System.Diagnostics.Tracing.NativeRuntimeEventSource System.Diagnostics.Tracing.NativeRuntimeEventSource+Messages System.Diagnostics.Tracing.NativeRuntimeEventSource+Tasks System.Diagnostics.Tracing.NativeRuntimeEventSource+Opcodes System.Diagnostics.Tracing.NativeRuntimeEventSource+ContentionFlagsMap System.Diagnostics.Tracing.NativeRuntimeEventSource+ThreadAdjustmentReasonMap System.Diagnostics.Tracing.NativeRuntimeEventSource+WaitHandleWaitSourceMap System.Diagnostics.Tracing.NativeRuntimeEventSource+Keywords System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.PollingPayloadType System.Diagnostics.Tracing.RuntimeEventSource System.Diagnostics.Tracing.RuntimeEventSource+Keywords System.Diagnostics.Tracing.RuntimeEventSource+EventId System.Diagnostics.Tracing.RuntimeEventSource+<>O System.Diagnostics.Tracing.RuntimeEventSource+<>c System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.ArrayTypeInfo System.Diagnostics.Tracing.ConcurrentSet`2[KeyType,ItemType] System.Diagnostics.Tracing.ConcurrentSetItem`2[KeyType,ItemType] System.Diagnostics.Tracing.DataCollector System.Diagnostics.Tracing.EmptyStruct System.Diagnostics.Tracing.EnumerableTypeInfo System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventPayload System.Diagnostics.Tracing.EventPayload+d__17 System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.FieldMetadata System.Diagnostics.Tracing.InvokeTypeInfo System.Diagnostics.Tracing.NameInfo System.Diagnostics.Tracing.PropertyAnalysis System.Diagnostics.Tracing.PropertyValue System.Diagnostics.Tracing.PropertyValue+Scalar System.Diagnostics.Tracing.PropertyValue+TypeHelper System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_0[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_10[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_11[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_12[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_13[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_14[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_15[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_16[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_17[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_18[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_19[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_2[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_20[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_3[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_4[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_5[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_6[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_7[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_8[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_9[TContainer] System.Diagnostics.Tracing.PropertyValue+<>c System.Diagnostics.Tracing.PropertyValue+<>c__DisplayClass33_0 System.Diagnostics.Tracing.SimpleEventTypes`1[T] System.Diagnostics.Tracing.NullTypeInfo System.Diagnostics.Tracing.ScalarTypeInfo System.Diagnostics.Tracing.ScalarArrayTypeInfo System.Diagnostics.Tracing.StringTypeInfo System.Diagnostics.Tracing.DateTimeTypeInfo System.Diagnostics.Tracing.DateTimeOffsetTypeInfo System.Diagnostics.Tracing.TimeSpanTypeInfo System.Diagnostics.Tracing.DecimalTypeInfo System.Diagnostics.Tracing.NullableTypeInfo System.Diagnostics.Tracing.Statics System.Diagnostics.Tracing.Statics+<>O System.Diagnostics.Tracing.TraceLoggingDataCollector System.Diagnostics.Tracing.TraceLoggingDataType System.Diagnostics.Tracing.TraceLoggingEventHandleTable System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.TraceLoggingEventTypes System.Diagnostics.Tracing.TraceLoggingMetadataCollector System.Diagnostics.Tracing.TraceLoggingMetadataCollector+Impl System.Diagnostics.Tracing.TraceLoggingTypeInfo System.Diagnostics.Tracing.TypeAnalysis System.Diagnostics.Tracing.RuntimeEventSourceHelper System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.EmptyReadOnlyDictionaryInternal System.Collections.EmptyReadOnlyDictionaryInternal+NodeEnumerator System.Collections.ArrayList System.Collections.ArrayList+IListWrapper System.Collections.ArrayList+IListWrapper+IListWrapperEnumWrapper System.Collections.ArrayList+SyncArrayList System.Collections.ArrayList+SyncIList System.Collections.ArrayList+FixedSizeList System.Collections.ArrayList+FixedSizeArrayList System.Collections.ArrayList+ReadOnlyList System.Collections.ArrayList+ReadOnlyArrayList System.Collections.ArrayList+ArrayListEnumerator System.Collections.ArrayList+Range System.Collections.ArrayList+ArrayListEnumeratorSimple System.Collections.ArrayList+ArrayListDebugView System.Collections.Comparer System.Collections.CompatibleComparer System.Collections.DictionaryEntry System.Collections.HashHelpers System.Collections.Hashtable System.Collections.Hashtable+Bucket System.Collections.Hashtable+KeyCollection System.Collections.Hashtable+ValueCollection System.Collections.Hashtable+SyncHashtable System.Collections.Hashtable+HashtableEnumerator System.Collections.Hashtable+HashtableDebugView System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal+NodeEnumerator System.Collections.ListDictionaryInternal+NodeKeyValueCollection System.Collections.ListDictionaryInternal+NodeKeyValueCollection+NodeKeyValueEnumerator System.Collections.ListDictionaryInternal+DictionaryNode System.Collections.ListDictionaryInternal+ListDictionaryInternalDebugView System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.CollectionHelpers System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+DictionaryEnumerator[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.ConcurrentQueue`1+d__26[T] System.Collections.Concurrent.ConcurrentQueueSegment`1[T] System.Collections.Concurrent.ConcurrentQueueSegment`1+Slot[T] System.Collections.Concurrent.PaddedHeadAndTail System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Concurrent.IProducerConsumerCollectionDebugView`1[T] System.Collections.Concurrent.IProducerConsumerQueue`1[T] System.Collections.Concurrent.MultiProducerMultiConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+Segment[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SegmentState[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SingleProducerSingleConsumerQueue_DebugView[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+d__15[T] System.Collections.Generic.IArraySortHelper`1[TKey] System.Collections.Generic.ArraySortHelper`1[T] System.Collections.Generic.GenericArraySortHelper`1[T] System.Collections.Generic.IArraySortHelper`2[TKey,TValue] System.Collections.Generic.ArraySortHelper`2[TKey,TValue] System.Collections.Generic.GenericArraySortHelper`2[TKey,TValue] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EnumComparer`1[T] System.Collections.Generic.ComparerHelpers System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.EqualityComparer`1+<>c[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.ArrayBuilder`1[T] System.Collections.Generic.SortUtils System.Collections.Generic.CollectionExtensions System.Collections.Generic.ComparisonComparer`1[T] System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+CollectionsMarshalHelper[TKey,TValue] System.Collections.Generic.Dictionary`2+Entry[TKey,TValue] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.DebugViewDictionaryItem`2[TKey,TValue] System.Collections.Generic.DelegateEqualityComparer`1[T] System.Collections.Generic.StringEqualityComparer System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Entry[T] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.HashSetEqualityComparer`1[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.ICollectionDebugView`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IDictionaryDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryKeyCollectionDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryValueCollectionDebugView`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IInternalStringEqualityComparer System.Collections.Generic.IList`1[T] System.Collections.Generic.InsertionBehavior System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.QueueDebugView`1[T] System.Collections.Generic.RandomizedStringEqualityComparer System.Collections.Generic.RandomizedStringEqualityComparer+MarvinSeed System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ValueListBuilder`1[T] System.Collections.Generic.EnumerableHelpers System.Collections.Generic.BitHelper Internal.Console Internal.Console+Error Internal.PaddingFor32 Internal.PaddedReference Internal.Win32.RegistryKey Internal.Win32.Registry Internal.Win32.SafeHandles.SafeRegistryHandle Internal.Runtime.InteropServices.ComActivationContextInternal Internal.Runtime.InteropServices.ComponentActivator Internal.Runtime.InteropServices.ComponentActivator+ComponentEntryPoint Internal.Runtime.InteropServices.ComponentActivator+<>c__DisplayClass15_0 Internal.Runtime.InteropServices.LICINFO Internal.Runtime.InteropServices.IClassFactory Internal.Runtime.InteropServices.IClassFactory2 Internal.Runtime.InteropServices.ComActivationContext Internal.Runtime.InteropServices.ComActivator Internal.Runtime.InteropServices.ComActivator+BasicClassFactory Internal.Runtime.InteropServices.ComActivator+LicenseClassFactory Internal.Runtime.InteropServices.ComActivator+<>c__DisplayClass16_0 Internal.Runtime.InteropServices.LicenseInteropProxy Internal.Runtime.InteropServices.InMemoryAssemblyLoader Internal.Runtime.InteropServices.InMemoryAssemblyLoader+<>c__DisplayClass7_0 Internal.Runtime.InteropServices.IsolatedComponentLoadContext Internal.Runtime.CompilerHelpers.ThrowHelpers +__StaticArrayInitTypeSize=3 +__StaticArrayInitTypeSize=5 +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=16_Align=2 +__StaticArrayInitTypeSize=16_Align=4 +__StaticArrayInitTypeSize=17 +__StaticArrayInitTypeSize=21 +__StaticArrayInitTypeSize=24_Align=8 +__StaticArrayInitTypeSize=28_Align=2 +__StaticArrayInitTypeSize=28_Align=4 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=32_Align=4 +__StaticArrayInitTypeSize=32_Align=8 +__StaticArrayInitTypeSize=33 +__StaticArrayInitTypeSize=34 +__StaticArrayInitTypeSize=36_Align=4 +__StaticArrayInitTypeSize=38 +__StaticArrayInitTypeSize=40 +__StaticArrayInitTypeSize=40_Align=4 +__StaticArrayInitTypeSize=48_Align=4 +__StaticArrayInitTypeSize=51 +__StaticArrayInitTypeSize=52_Align=4 +__StaticArrayInitTypeSize=64 +__StaticArrayInitTypeSize=64_Align=4 +__StaticArrayInitTypeSize=64_Align=8 +__StaticArrayInitTypeSize=65 +__StaticArrayInitTypeSize=66 +__StaticArrayInitTypeSize=70 +__StaticArrayInitTypeSize=72 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=76_Align=4 +__StaticArrayInitTypeSize=82 +__StaticArrayInitTypeSize=84_Align=2 +__StaticArrayInitTypeSize=88_Align=8 +__StaticArrayInitTypeSize=98 +__StaticArrayInitTypeSize=128 +__StaticArrayInitTypeSize=128_Align=8 +__StaticArrayInitTypeSize=152_Align=8 +__StaticArrayInitTypeSize=168_Align=8 +__StaticArrayInitTypeSize=170 +__StaticArrayInitTypeSize=172_Align=4 +__StaticArrayInitTypeSize=174_Align=2 +__StaticArrayInitTypeSize=177 +__StaticArrayInitTypeSize=184_Align=8 +__StaticArrayInitTypeSize=201 +__StaticArrayInitTypeSize=233 +__StaticArrayInitTypeSize=256 +__StaticArrayInitTypeSize=256_Align=8 +__StaticArrayInitTypeSize=288_Align=4 +__StaticArrayInitTypeSize=466 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=512_Align=4 +__StaticArrayInitTypeSize=648_Align=8 +__StaticArrayInitTypeSize=696_Align=8 +__StaticArrayInitTypeSize=936_Align=4 +__StaticArrayInitTypeSize=1208_Align=2 +__StaticArrayInitTypeSize=1316 +__StaticArrayInitTypeSize=1416 +__StaticArrayInitTypeSize=1440 +__StaticArrayInitTypeSize=1472_Align=2 +__StaticArrayInitTypeSize=1728 +__StaticArrayInitTypeSize=2176 +__StaticArrayInitTypeSize=2224 +__StaticArrayInitTypeSize=2530 +__StaticArrayInitTypeSize=2593 +__StaticArrayInitTypeSize=3200 +__StaticArrayInitTypeSize=3389 +__StaticArrayInitTypeSize=5056 +__StaticArrayInitTypeSize=6256 +__StaticArrayInitTypeSize=6592 +__StaticArrayInitTypeSize=10416_Align=8 +__StaticArrayInitTypeSize=12144 +__StaticArrayInitTypeSize=15552 +__StaticArrayInitTypeSize=18128 <>y__InlineArray2`1[T] <>y__InlineArray3`1[T] <>y__InlineArray4`1[T]", + "IsCollectible": false, + "ManifestModule": "System.Private.CoreLib.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeWaitHandle System.ArgIterator System.Array System.Attribute System.BadImageFormatException System.Buffer System.Decimal System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.Enum System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Exception System.GCCollectionMode System.GCNotificationStatus System.GC System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeMethodHandle System.RuntimeFieldHandle System.ModuleHandle System.String System.Type System.TypedReference System.TypeLoadException System.ValueType System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.DataMisalignedException System.DateOnly System.DateTime System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfo System.Guid System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.Lazy`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalDataStoreSlot System.MarshalByRefObject System.MemberAccessException System.Memory`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.Random System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.TimeOnly System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TransitionTime System.TimeZoneNotFoundException System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.IResourceReader System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceManager System.Resources.ResourceReader System.Resources.ResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.Matrix3x2 System.Numerics.Matrix4x4 System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarWeekRule System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareOptions System.Globalization.CultureInfo System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GregorianCalendar System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HijriCalendar System.Globalization.IdnMapping System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.ArrayPool`1[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SearchValues System.Buffers.SearchValues`1[T] System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Utf8Formatter System.Buffers.Text.Utf8Parser System.Buffers.Binary.BinaryPrimitives System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.Thread System.Threading.ThreadPool System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CompressedStack System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.LockRecursionException System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterLockSlim System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ThreadAbortException System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.PeriodicTimer System.Threading.TimerCallback System.Threading.Timer System.Threading.Volatile System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.ITimer System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskScheduler System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.ASCIIEncoding System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.EncodingInfo System.Text.EncodingProvider System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.UnicodeEncoding System.Text.UTF32Encoding System.Text.UTF7Encoding System.Text.UTF8Encoding System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Runtime.ControlledExecution System.Runtime.DependentHandle System.Runtime.GCSettings System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.VersioningHelper System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Reflection.Assembly System.Reflection.AssemblyName System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodInvoker System.Reflection.CustomAttributeTypedArgument System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.Missing System.Reflection.Module System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.SignatureHelper System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeBuilder System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStreamOptions System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.PathTooLongException System.IO.RandomAccess System.IO.SearchOption System.IO.SeekOrigin System.IO.Stream System.IO.StreamReader System.IO.StreamWriter System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextWriter System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.StackFrame System.Diagnostics.StackTrace System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.EventTags System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.ArrayList System.Collections.Comparer System.Collections.DictionaryEntry System.Collections.Hashtable System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.CollectionExtensions System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IList`1[T] System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer Internal.Console Internal.Console+Error", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Reflection.Metadata.MetadataUpdateHandlerAttribute(typeof(System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler))] [System.CLSCompliantAttribute((Boolean)True)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)False)] [System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute((System.Runtime.InteropServices.DllImportSearchPath)2050)] [System.Reflection.AssemblyMetadataAttribute(\"Serviceable\", \"True\")] [System.Reflection.AssemblyMetadataAttribute(\"IsTrimmable\", \"True\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")] [System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute()] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"© Microsoft Corporation. All rights reserved.\")] [System.Reflection.AssemblyDescriptionAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyFileVersionAttribute(\"9.0.625.26613\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"9.0.6+3875b54e7b10b10606b105340199946d0b877754\")] [System.Reflection.AssemblyProductAttribute(\"Microsoft® .NET\")] [System.Reflection.AssemblyTitleAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyMetadataAttribute(\"RepositoryUrl\", \"https://github.com/dotnet/runtime\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Private.CoreLib.dll", + "Modules": "System.Private.CoreLib.dll", + "SecurityRuleSet": 0 + }, + "BaseType": null, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554586, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ModuleVersionId": "6322a2c9-49e1-408c-8faf-9b86b82127b8", + "MetadataToken": 1, + "ScopeName": "System.Private.CoreLib.dll", + "Name": "System.Private.CoreLib.dll", + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)] [System.Runtime.CompilerServices.NullablePublicOnlyAttribute((Boolean)False)] [System.Runtime.CompilerServices.SkipLocalsInitAttribute()]" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712116373296 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Object", + "AssemblyQualifiedName": "System.Object, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "ff77e388-6558-35eb-89cb-5ef50f4b9be2", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Object", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": null, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554586, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Object", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode() Void .ctor()", + "DeclaredMethods": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1056769, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": "[System.SerializableAttribute()] [System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)] [System.Runtime.InteropServices.ClassInterfaceAttribute((System.Runtime.InteropServices.ClassInterfaceType)1)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)True)] [System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + "Void .ctor()" + ], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [ + "System.Type GetType()", + "System.Object MemberwiseClone()", + "Void Finalize()", + "System.String ToString()", + "Boolean Equals(System.Object)", + "Boolean Equals(System.Object, System.Object)", + "Boolean ReferenceEquals(System.Object, System.Object)", + "Int32 GetHashCode()", + "Void .ctor()" + ], + "DeclaredMethods": [ + "System.Type GetType()", + "System.Object MemberwiseClone()", + "Void Finalize()", + "System.String ToString()", + "Boolean Equals(System.Object)", + "Boolean Equals(System.Object, System.Object)", + "Boolean ReferenceEquals(System.Object, System.Object)", + "Int32 GetHashCode()" + ], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1056769, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": [ + "[System.SerializableAttribute()]", + "[System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)]", + "[System.Runtime.InteropServices.ClassInterfaceAttribute((System.Runtime.InteropServices.ClassInterfaceType)1)]", + "[System.Runtime.InteropServices.ComVisibleAttribute((Boolean)True)]", + "[System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + ] + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": { + "CodeBase": null, + "FullName": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "EntryPoint": null, + "DefinedTypes": "MyClass MyClass_", + "IsCollectible": true, + "ManifestModule": "RefEmit_InMemoryManifestModule", + "ReflectionOnly": false, + "Location": "", + "ImageRuntimeVersion": "", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": true, + "ExportedTypes": "MyClass", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Management.Automation.DynamicClassImplementationAssemblyAttribute(ScriptFile = \"C:\\Users\\Gebruiker\\OneDrive\\Scripts\\PowerShell\\PowerSnippets\\ObjectGraph\\ObjectGraphTools\\_Temp\\Hidden.ps1\")]", + "EscapedCodeBase": null, + "Modules": "RefEmit_InMemoryManifestModule", + "SecurityRuleSet": 0 + }, + "ModuleHandle": { + "MDStreamVersion": 131072 + }, + "CustomAttributes": [] + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712199048184 + } + }, + "UnderlyingSystemType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": { + "CodeBase": null, + "FullName": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "EntryPoint": null, + "DefinedTypes": "MyClass MyClass_", + "IsCollectible": true, + "ManifestModule": "RefEmit_InMemoryManifestModule", + "ReflectionOnly": false, + "Location": "", + "ImageRuntimeVersion": "", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": true, + "ExportedTypes": "MyClass", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Management.Automation.DynamicClassImplementationAssemblyAttribute(ScriptFile = \"C:\\Users\\Gebruiker\\OneDrive\\Scripts\\PowerShell\\PowerSnippets\\ObjectGraph\\ObjectGraphTools\\_Temp\\Hidden.ps1\")]", + "EscapedCodeBase": null, + "Modules": "RefEmit_InMemoryManifestModule", + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Object", + "AssemblyQualifiedName": "System.Object, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "ff77e388-6558-35eb-89cb-5ef50f4b9be2", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Object", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": null, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554586, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Object", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode() Void .ctor()", + "DeclaredMethods": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1056769, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": "[System.SerializableAttribute()] [System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)] [System.Runtime.InteropServices.ClassInterfaceAttribute((System.Runtime.InteropServices.ClassInterfaceType)1)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)True)] [System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712199048184 + } + }, + "UnderlyingSystemType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": "RefEmit_InMemoryManifestModule", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "MyClass", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMembers": "Void MyMethod() Void .ctor() System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMethods": "Void MyMethod()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + "Void .ctor()" + ], + "DeclaredEvents": [], + "DeclaredFields": [ + "System.Management.Automation.SessionStateInternal __sessionState" + ], + "DeclaredMembers": [ + "Void MyMethod()", + "Void .ctor()", + "System.Management.Automation.SessionStateInternal __sessionState" + ], + "DeclaredMethods": [ + "Void MyMethod()" + ], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [] + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + { + "Name": ".ctor", + "MemberType": 1, + "DeclaringType": "MyClass", + "ReflectedType": "MyClass", + "MetadataToken": 100663297, + "Module": "RefEmit_InMemoryManifestModule", + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 6150, + "CallingConvention": 33, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": true, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": true, + "IsStatic": false, + "IsVirtual": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "CustomAttributes": "", + "IsCollectible": true + } + ], + "DeclaredEvents": [], + "DeclaredFields": [ + { + "Name": "__sessionState", + "MetadataToken": 67108865, + "FieldHandle": "System.RuntimeFieldHandle", + "Attributes": 1, + "FieldType": "System.Management.Automation.SessionStateInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "MemberType": 4, + "ReflectedType": "MyClass", + "DeclaringType": "MyClass", + "Module": "RefEmit_InMemoryManifestModule", + "IsCollectible": true, + "IsInitOnly": false, + "IsLiteral": false, + "IsNotSerialized": false, + "IsPinvokeImpl": false, + "IsSpecialName": false, + "IsStatic": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": true, + "IsPublic": false, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "CustomAttributes": "" + } + ], + "DeclaredMembers": [ + { + "Name": "MyMethod", + "DeclaringType": "MyClass", + "ReflectedType": "MyClass", + "MemberType": 8, + "MetadataToken": 100663298, + "Module": "RefEmit_InMemoryManifestModule", + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 70, + "CallingConvention": 33, + "ReturnType": "void", + "ReturnTypeCustomAttributes": "Void", + "ReturnParameter": "Void", + "IsCollectible": true, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": false, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": false, + "IsStatic": false, + "IsVirtual": true, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "CustomAttributes": "[System.Management.Automation.HiddenAttribute()]" + }, + { + "Name": ".ctor", + "MemberType": 1, + "DeclaringType": "MyClass", + "ReflectedType": "MyClass", + "MetadataToken": 100663297, + "Module": "RefEmit_InMemoryManifestModule", + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 6150, + "CallingConvention": 33, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": true, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": true, + "IsStatic": false, + "IsVirtual": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "CustomAttributes": "", + "IsCollectible": true + }, + { + "Name": "__sessionState", + "MetadataToken": 67108865, + "FieldHandle": "System.RuntimeFieldHandle", + "Attributes": 1, + "FieldType": "System.Management.Automation.SessionStateInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "MemberType": 4, + "ReflectedType": "MyClass", + "DeclaringType": "MyClass", + "Module": "RefEmit_InMemoryManifestModule", + "IsCollectible": true, + "IsInitOnly": false, + "IsLiteral": false, + "IsNotSerialized": false, + "IsPinvokeImpl": false, + "IsSpecialName": false, + "IsStatic": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": true, + "IsPublic": false, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "CustomAttributes": "" + } + ], + "DeclaredMethods": [ + { + "Name": "MyMethod", + "DeclaringType": "MyClass", + "ReflectedType": "MyClass", + "MemberType": 8, + "MetadataToken": 100663298, + "Module": "RefEmit_InMemoryManifestModule", + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 70, + "CallingConvention": 33, + "ReturnType": "void", + "ReturnTypeCustomAttributes": "Void", + "ReturnParameter": "Void", + "IsCollectible": true, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": false, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": false, + "IsStatic": false, + "IsVirtual": true, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "CustomAttributes": "[System.Management.Automation.HiddenAttribute()]" + } + ], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [] + }, + "MemberType": 8, + "MetadataToken": 100663298, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": { + "CodeBase": null, + "FullName": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "EntryPoint": null, + "DefinedTypes": [ + "MyClass", + "MyClass_" + ], + "IsCollectible": true, + "ManifestModule": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "" + }, + "ReflectionOnly": false, + "Location": "", + "ImageRuntimeVersion": "", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": true, + "ExportedTypes": [ + "MyClass" + ], + "IsFullyTrusted": true, + "CustomAttributes": [ + "[System.Management.Automation.DynamicClassImplementationAssemblyAttribute(ScriptFile = \"C:\\Users\\Gebruiker\\OneDrive\\Scripts\\PowerShell\\PowerSnippets\\ObjectGraph\\ObjectGraphTools\\_Temp\\Hidden.ps1\")]" + ], + "EscapedCodeBase": null, + "Modules": [ + "RefEmit_InMemoryManifestModule" + ], + "SecurityRuleSet": 0 + }, + "ModuleHandle": { + "MDStreamVersion": 131072 + }, + "CustomAttributes": [] + }, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MethodHandle": { + "Value": { + "value": 140712199048136 + } + }, + "Attributes": 70, + "CallingConvention": 33, + "ReturnType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Void", + "AssemblyQualifiedName": "System.Void, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "962ce4fe-96d6-3545-86d7-2a92748d877c", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 1, + "CharSet": 2, + "Value": 0, + "TypeId": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Runtime.InteropServices.StructLayoutAttribute", + "AssemblyQualifiedName": "System.Runtime.InteropServices.StructLayoutAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System.Runtime.InteropServices", + "GUID": "b339a75d-a159-31c6-9265-23e3ba224d71", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "StructLayoutAttribute", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.Attribute", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33556012, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Runtime.InteropServices.StructLayoutAttribute", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor(System.Runtime.InteropServices.LayoutKind) Void .ctor(Int16)", + "DeclaredEvents": "", + "DeclaredFields": "System.Runtime.InteropServices.LayoutKind k__BackingField Int32 Pack Int32 Size System.Runtime.InteropServices.CharSet CharSet", + "DeclaredMembers": "System.Runtime.InteropServices.LayoutKind get_Value() Void .ctor(System.Runtime.InteropServices.LayoutKind) Void .ctor(Int16) System.Runtime.InteropServices.LayoutKind Value System.Runtime.InteropServices.LayoutKind k__BackingField Int32 Pack Int32 Size System.Runtime.InteropServices.CharSet CharSet", + "DeclaredMethods": "System.Runtime.InteropServices.LayoutKind get_Value()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "System.Runtime.InteropServices.LayoutKind Value", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048833, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "[System.AttributeUsageAttribute((System.AttributeTargets)12, Inherited = False)]" + } + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Void", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Private.CoreLib.dll", + "FullName": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "EntryPoint": null, + "DefinedTypes": [ + "Interop, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+OleAut32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Globalization, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Globalization+ResultCode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+BOOL, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+NlsVersionInfoEx, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+OVERLAPPED_ENTRY, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+CONDITION_VARIABLE, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+BY_HANDLE_FILE_INFORMATION, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+CRITICAL_SECTION, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+FILE_BASIC_INFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+FILE_ALLOCATION_INFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+FILE_END_OF_FILE_INFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+FILE_STANDARD_INFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+FILE_TIME, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+FINDEX_INFO_LEVELS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+FINDEX_SEARCH_OPS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+GET_FILEEX_INFO_LEVELS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+CPINFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+CPINFO+e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+CPINFO+e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+PROCESS_MEMORY_COUNTERS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+MEMORY_BASIC_INFORMATION, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+MEMORYSTATUSEX, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+SymbolicLinkReparseBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+MountPointReparseBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+SECURITY_ATTRIBUTES, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+STORAGE_READ_CAPACITY, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+SYSTEM_INFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+SYSTEMTIME, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+TIME_ZONE_INFORMATION, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+REG_TZI_FORMAT, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+WIN32_FILE_ATTRIBUTE_DATA, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+WIN32_FIND_DATA, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+WIN32_FIND_DATA+<_cAlternateFileName>e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+WIN32_FIND_DATA+<_cFileName>e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Kernel32+PROCESSOR_NUMBER, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Normaliz, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+HostPolicy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+HostPolicy+corehost_resolve_component_dependencies_result_fn, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+HostPolicy+corehost_error_writer_fn, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32+ActivityControl, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32+EVENT_FILTER_DESCRIPTOR, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32+EVENT_INFO_CLASS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32+TRACE_QUERY_INFO_CLASS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32+TRACE_GUID_INFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32+TRACE_PROVIDER_INSTANCE_INFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32+TRACE_ENABLE_INFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32+TOKEN_ELEVATION, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Advapi32+TOKEN_INFORMATION_CLASS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+BCrypt, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+BCrypt+NTSTATUS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Crypt32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+BOOLEAN, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+CreateDisposition, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+CreateOptions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+DesiredAccess, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+IO_STATUS_BLOCK, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+IO_STATUS_BLOCK+IO_STATUS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+FILE_FULL_DIR_INFORMATION, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+FILE_INFORMATION_CLASS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+RTL_OSVERSIONINFOEX, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+RTL_OSVERSIONINFOEX+e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+NtDll+SYSTEM_LEAP_SECOND_INFORMATION, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+StatusOptions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+UNICODE_STRING, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+SECURITY_QUALITY_OF_SERVICE, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+ImpersonationLevel, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+ContextTrackingMode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+OBJECT_ATTRIBUTES, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+ObjectAttributes, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Ole32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Secur32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Shell32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+Ucrtbase, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+User32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+User32+USEROBJECTFLAGS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Interop+LongFileTime, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Microsoft.Win32.OAVariantLib, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid", + "Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid", + "Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid", + "Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid", + "Microsoft.Win32.SafeHandles.SafeFileHandle", + "Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Microsoft.Win32.SafeHandles.SafeWaitHandle", + "Microsoft.Win32.SafeHandles.SafeTokenHandle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Microsoft.Win32.SafeHandles.SafeThreadHandle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Microsoft.Win32.SafeHandles.SafeFindHandle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Microsoft.Win32.SafeHandles.SafeThreadPoolIOHandle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.__Canon, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.ArgIterator", + "System.ArgIterator+SigPointer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "array", + "System.Array+ArrayAssignType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Array+ArrayInitializeCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Array+EmptyArray`1[T]", + "System.Array+SorterObjectArray, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Array+SorterGenericArray, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.SZArrayHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Attribute", + "System.BadImageFormatException", + "System.Buffer", + "System.ComAwareWeakReference, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.ComAwareWeakReference+ComInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Currency, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "decimal", + "System.Decimal+DecCalc, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Decimal+DecCalc+PowerOvfl, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Decimal+DecCalc+Buf12, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Decimal+DecCalc+Buf16, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Decimal+DecCalc+Buf24, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Decimal+DecCalc+Buf28, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Delegate", + "System.Delegate+InvocationListEnumerator`1[TDelegate]", + "System.DelegateBindingFlags, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Enum", + "System.Enum+EnumInfo`1[TStorage]", + "System.Enum+<>c__62`1[TStorage]", + "System.Environment", + "System.Environment+ProcessCpuUsage", + "System.Environment+SpecialFolder", + "System.Environment+SpecialFolderOption", + "System.Environment+WindowsVersion, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Exception", + "System.Exception+ExceptionMessageKind, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Exception+DispatchState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GCCollectionMode", + "System.GCNotificationStatus", + "System.GC", + "System.GC+GC_ALLOC_FLAGS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GC+StartNoGCRegionStatus, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GC+EndNoGCRegionStatus, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GC+NoGCRegionCallbackFinalizerWorkItem, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GC+EnableNoGCRegionCallbackStatus, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GC+GCConfigurationContext, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GC+GCConfigurationType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GC+RefreshMemoryStatus, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GC+GCHeapHardLimitInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Math", + "System.MathF", + "System.MulticastDelegate", + "System.Object", + "System.RuntimeArgumentHandle", + "System.RuntimeTypeHandle", + "System.RuntimeTypeHandle+IntroducedMethodEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeMethodHandleInternal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeMethodInfoStub, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IRuntimeMethodInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeMethodHandle", + "System.RuntimeFieldHandleInternal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IRuntimeFieldInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeFieldInfoStub, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeFieldHandle", + "System.ModuleHandle", + "System.Signature, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resolver, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resolver+CORINFO_EH_CLAUSE, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+ActivatorCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+MemberListType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+ListBuilder`1[T]", + "System.RuntimeType+RuntimeTypeCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+RuntimeTypeCache+CacheType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+RuntimeTypeCache+Filter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+RuntimeTypeCache+MemberInfoCache`1[T]", + "System.RuntimeType+RuntimeTypeCache+FunctionPointerCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+DispatchWrapperType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+BoxCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+CreateUninitializedCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+CompositeCacheEntry, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+IGenericCacheEntry, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.RuntimeType+IGenericCacheEntry`1[TCache]", + "System.RuntimeType+CheckValueStatus, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TypeNameFormatFlags, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TypeNameKind, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.MdUtf8String, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StartupHookProvider, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StartupHookProvider+StartupHookNameOrPath, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "string", + "System.String+SearchValuesStorage, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "type", + "System.Type+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TypedReference", + "System.TypeLoadException", + "System.ValueType", + "System.ValueType+ValueTypeHashCodeStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.__ComObject", + "System.OleAutBinder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Variant, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.AccessViolationException", + "System.Action", + "System.Action`1[T]", + "System.Action`2[T1,T2]", + "System.Action`3[T1,T2,T3]", + "System.Action`4[T1,T2,T3,T4]", + "System.Action`5[T1,T2,T3,T4,T5]", + "System.Action`6[T1,T2,T3,T4,T5,T6]", + "System.Action`7[T1,T2,T3,T4,T5,T6,T7]", + "System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8]", + "System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9]", + "System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10]", + "System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11]", + "System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12]", + "System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13]", + "System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14]", + "System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15]", + "System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16]", + "System.Comparison`1[T]", + "System.Converter`2[TInput,TOutput]", + "System.Predicate`1[T]", + "System.Activator", + "System.AggregateException", + "System.AppContext", + "System.AppContextConfigHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.AppDomain", + "System.AppDomainSetup", + "System.AppDomainUnloadedException", + "System.ApplicationException", + "System.ApplicationId", + "System.ArgumentException", + "System.ArgumentNullException", + "System.ArgumentOutOfRangeException", + "System.ArithmeticException", + "System.ArrayEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.SZGenericArrayEnumeratorBase, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.SZGenericArrayEnumerator`1[T]", + "System.GenericEmptyEnumeratorBase, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GenericEmptyEnumerator`1[T]", + "System.ArraySegment`1[T]", + "System.ArraySegment`1+Enumerator[T]", + "System.ArrayTypeMismatchException", + "System.AssemblyLoadEventArgs", + "System.AssemblyLoadEventHandler", + "System.AsyncCallback", + "System.AttributeTargets", + "System.AttributeUsageAttribute", + "System.BitConverter", + "bool", + "System.ByReference, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "byte", + "System.CannotUnloadAppDomainException", + "char", + "System.CharEnumerator", + "System.CLSCompliantAttribute", + "System.ContextBoundObject", + "System.ContextMarshalException", + "System.ContextStaticAttribute", + "System.Convert", + "System.Base64FormattingOptions", + "System.CurrentSystemTimeZone, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DataMisalignedException", + "System.DateOnly", + "System.DateOnly+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "datetime", + "System.DateTime+LeapSecondCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DateTimeKind", + "System.DateTimeOffset", + "System.DayOfWeek", + "System.DBNull", + "System.DefaultBinder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DefaultBinder+Primitives, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DefaultBinder+BinderState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DivideByZeroException", + "System.DllNotFoundException", + "double", + "System.DuplicateWaitObjectException", + "System.Empty, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.EntryPointNotFoundException", + "System.EnvironmentVariableTarget", + "System.EventArgs", + "System.EventHandler", + "System.EventHandler`1[TEventArgs]", + "System.ExecutionEngineException", + "System.FieldAccessException", + "System.FlagsAttribute", + "System.FormatException", + "System.FormattableString", + "System.Func`1[TResult]", + "System.Func`2[T,TResult]", + "System.Func`3[T1,T2,TResult]", + "System.Func`4[T1,T2,T3,TResult]", + "System.Func`5[T1,T2,T3,T4,TResult]", + "System.Func`6[T1,T2,T3,T4,T5,TResult]", + "System.Func`7[T1,T2,T3,T4,T5,T6,TResult]", + "System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult]", + "System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult]", + "System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult]", + "System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult]", + "System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult]", + "System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult]", + "System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult]", + "System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult]", + "System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult]", + "System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult]", + "System.GCGenerationInfo", + "System.GCKind", + "System.GCMemoryInfoData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.GCMemoryInfo", + "System.Gen2GcCallback, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DateTimeFormat, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DateTimeParse, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DateTimeParse+DTT, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DateTimeParse+TM, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DateTimeParse+DS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.__DTString, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DTSubStringType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DTSubString, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DateTimeToken, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DateTimeRawInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.ParseFailureKind, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.ParseFlags, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.DateTimeResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.ParsingInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TokenType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "guid", + "System.Guid+GuidParseThrowStyle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Guid+ParseFailure, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Guid+GuidResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Half", + "System.HashCode", + "System.IAsyncDisposable", + "System.IAsyncResult", + "System.ICloneable", + "System.IComparable", + "System.IComparable`1[T]", + "System.IConvertible", + "System.ICustomFormatter", + "System.IDisposable", + "System.IEquatable`1[T]", + "System.IFormatProvider", + "System.IFormattable", + "System.Index", + "System.IndexOutOfRangeException", + "System.TwoObjects, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.ThreeObjects, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.EightObjects, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.InsufficientExecutionStackException", + "System.InsufficientMemoryException", + "short", + "int", + "long", + "System.Int128", + "System.IntPtr", + "System.InvalidCastException", + "System.InvalidOperationException", + "System.InvalidProgramException", + "System.InvalidTimeZoneException", + "System.IObservable`1[T]", + "System.IObserver`1[T]", + "System.IProgress`1[T]", + "System.ISpanFormattable", + "System.IUtfChar`1[TSelf]", + "System.IUtf8SpanFormattable", + "System.IUtf8SpanParsable`1[TSelf]", + "System.LazyState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.LazyHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Lazy`1[T]", + "System.LazyDebugView`1[T]", + "System.Lazy`2[T,TMetadata]", + "System.LoaderOptimization", + "System.LoaderOptimizationAttribute", + "System.LocalAppContextSwitches, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.LocalDataStoreSlot", + "System.MarshalByRefObject", + "System.Marvin, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.MemberAccessException", + "System.Memory`1[T]", + "System.MemoryDebugView`1[T]", + "System.MemoryExtensions", + "System.MemoryExtensions+SpanSplitEnumerator`1[T]", + "System.MemoryExtensions+SpanSplitEnumeratorMode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.MemoryExtensions+TryWriteInterpolatedStringHandler", + "System.MethodAccessException", + "System.MidpointRounding", + "System.MissingFieldException", + "System.MissingMemberException", + "System.MissingMethodException", + "System.MulticastNotSupportedException", + "System.NonSerializedAttribute", + "System.NotFiniteNumberException", + "System.NotImplementedException", + "System.NotSupportedException", + "System.Nullable`1[T]", + "System.Nullable", + "System.NullReferenceException", + "System.Number, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Number+BigInteger, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Number+BigInteger+<_blocks>e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Number+DiyFp, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Number+Grisu3, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Number+IHexOrBinaryParser`1[TInteger]", + "System.Number+HexParser`1[TInteger]", + "System.Number+BinaryParser`1[TInteger]", + "System.Number+NumberBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Number+NumberBufferKind, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Number+ParsingStatus, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IBinaryIntegerParseAndFormatInfo`1[TSelf]", + "System.IBinaryFloatParseAndFormatInfo`1[TSelf]", + "System.ObjectDisposedException", + "System.ObsoleteAttribute", + "System.OperatingSystem", + "System.OperationCanceledException", + "System.OutOfMemoryException", + "System.OverflowException", + "System.ParamArrayAttribute", + "System.ParseNumbers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.PasteArguments, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.PlatformID", + "System.PlatformNotSupportedException", + "System.Progress`1[T]", + "System.ProgressStatics, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Random", + "System.Random+ThreadSafeRandom, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Random+ImplBase, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Random+Net5CompatSeedImpl, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Random+Net5CompatDerivedImpl, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Random+CompatPrng, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Random+XoshiroImpl, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Range", + "System.RankException", + "System.ReadOnlyMemory`1[T]", + "System.ReadOnlySpan`1[T]", + "System.ReadOnlySpan`1+Enumerator[T]", + "System.ResolveEventArgs", + "System.ResolveEventHandler", + "sbyte", + "System.SerializableAttribute", + "float", + "System.Span`1[T]", + "System.Span`1+Enumerator[T]", + "System.SpanDebugView`1[T]", + "System.SpanHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.SpanHelpers+ComparerComparable`2[T,TComparer]", + "System.SpanHelpers+Block16, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.SpanHelpers+Block64, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.SpanHelpers+INegator`1[T]", + "System.SpanHelpers+DontNegate`1[T]", + "System.SpanHelpers+Negate`1[T]", + "System.PackedSpanHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.PackedSpanHelpers+ITransform, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.PackedSpanHelpers+NopTransform, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.PackedSpanHelpers+Or20Transform, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.SR, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StackOverflowException", + "System.StringComparer", + "System.CultureAwareComparer", + "System.OrdinalComparer", + "System.OrdinalCaseSensitiveComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.OrdinalIgnoreCaseComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StringComparison", + "System.StringNormalizationExtensions", + "System.StringSplitOptions", + "System.SystemException", + "System.STAThreadAttribute", + "System.MTAThreadAttribute", + "System.ThreadStaticAttribute", + "System.ThrowHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.ExceptionArgument, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.ExceptionResource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeOnly", + "System.TimeOnly+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeoutException", + "timespan", + "System.TimeZone", + "System.TimeZoneInfo", + "System.TimeZoneInfo+AdjustmentRule", + "System.TimeZoneInfo+TimeZoneInfoResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeZoneInfo+CachedData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeZoneInfo+StringSerializer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeZoneInfo+StringSerializer+State, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeZoneInfo+TransitionTime", + "System.TimeZoneInfo+OffsetAndRule, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeZoneInfo+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeZoneInfoOptions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeZoneNotFoundException", + "System.ITupleInternal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Tuple", + "System.Tuple`1[T1]", + "System.Tuple`2[T1,T2]", + "System.Tuple`3[T1,T2,T3]", + "System.Tuple`4[T1,T2,T3,T4]", + "System.Tuple`5[T1,T2,T3,T4,T5]", + "System.Tuple`6[T1,T2,T3,T4,T5,T6]", + "System.Tuple`7[T1,T2,T3,T4,T5,T6,T7]", + "System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest]", + "System.TupleSlim`2[T1,T2]", + "System.TupleSlim`3[T1,T2,T3]", + "System.TupleSlim`4[T1,T2,T3,T4]", + "System.TupleExtensions", + "System.TypeAccessException", + "System.TypeCode", + "System.TypeInitializationException", + "System.TypeUnloadedException", + "ushort", + "uint", + "ulong", + "System.UInt128", + "System.UIntPtr", + "System.UnauthorizedAccessException", + "System.UnhandledExceptionEventArgs", + "System.UnhandledExceptionEventHandler", + "System.UnitySerializationHolder", + "System.IValueTupleInternal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.ValueTuple", + "System.ValueTuple`1[T1]", + "System.ValueTuple`2[T1,T2]", + "System.ValueTuple`3[T1,T2,T3]", + "System.ValueTuple`4[T1,T2,T3,T4]", + "System.ValueTuple`5[T1,T2,T3,T4,T5]", + "System.ValueTuple`6[T1,T2,T3,T4,T5,T6]", + "System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7]", + "System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest]", + "version", + "void", + "System.WeakReference", + "System.WeakReference`1[T]", + "System.TimeProvider", + "System.TimeProvider+SystemTimeProviderTimer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.TimeProvider+SystemTimeProvider, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.HexConverter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.HexConverter+Casing, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.HexConverter+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.NotImplemented, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Sha1ForNonSecretPurposes, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.FixedBufferExtensions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IParsable`1[TSelf]", + "System.ISpanParsable`1[TSelf]", + "System.Private.CoreLib.Strings, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Security.AllowPartiallyTrustedCallersAttribute", + "System.Security.IPermission", + "System.Security.ISecurityEncodable", + "System.Security.IStackWalk", + "System.Security.PartialTrustVisibilityLevel", + "System.Security.PermissionSet", + "securestring", + "System.Security.SecureString+UnmanagedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Security.SecurityCriticalAttribute", + "System.Security.SecurityCriticalScope", + "System.Security.SecurityElement", + "System.Security.SecurityElement+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Security.SecurityException", + "System.Security.SecurityRulesAttribute", + "System.Security.SecurityRuleSet", + "System.Security.SecuritySafeCriticalAttribute", + "System.Security.SecurityTransparentAttribute", + "System.Security.SecurityTreatAsSafeAttribute", + "System.Security.SuppressUnmanagedCodeSecurityAttribute", + "System.Security.UnverifiableCodeAttribute", + "System.Security.VerificationException", + "System.Security.Principal.IIdentity", + "System.Security.Principal.IPrincipal", + "System.Security.Principal.PrincipalPolicy", + "System.Security.Principal.TokenImpersonationLevel", + "System.Security.Permissions.CodeAccessSecurityAttribute", + "System.Security.Permissions.PermissionState", + "System.Security.Permissions.SecurityAction", + "System.Security.Permissions.SecurityAttribute", + "System.Security.Permissions.SecurityPermissionAttribute", + "System.Security.Permissions.SecurityPermissionFlag", + "System.Security.Cryptography.CryptographicException", + "System.Resources.FastResourceComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.FileBasedResourceGroveler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.IResourceGroveler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.IResourceReader", + "System.Resources.ManifestBasedResourceGroveler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.MissingManifestResourceException", + "System.Resources.MissingSatelliteAssemblyException", + "System.Resources.NeutralResourcesLanguageAttribute", + "System.Resources.ResourceFallbackManager, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.ResourceFallbackManager+d__5, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.ResourceManager", + "System.Resources.ResourceManager+CultureNameResourceSetPair, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.ResourceManager+ResourceManagerMediator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.ResourceReader", + "System.Resources.ResourceReader+ResourceEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.ResourceReader+<>c__DisplayClass7_0`1[TInstance]", + "System.Resources.ResourceLocator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.ResourceSet", + "System.Resources.ResourceTypeCode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.RuntimeResourceSet, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Resources.SatelliteContractVersionAttribute", + "System.Resources.UltimateResourceFallbackLocation", + "System.Numerics.BitOperations", + "System.Numerics.BitOperations+Crc32Fallback, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Numerics.Matrix3x2", + "System.Numerics.Matrix3x2+Impl, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Numerics.Matrix4x4", + "System.Numerics.Matrix4x4+Impl, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Numerics.Plane", + "System.Numerics.Vector", + "System.Numerics.Quaternion", + "System.Numerics.TotalOrderIeee754Comparer`1[T]", + "System.Numerics.Vector`1[T]", + "System.Numerics.Vector2", + "System.Numerics.Vector3", + "System.Numerics.Vector4", + "System.Numerics.VectorDebugView`1[T]", + "System.Numerics.Crc32ReflectedTable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IAdditiveIdentity`2[TSelf,TResult]", + "System.Numerics.IBinaryFloatingPointIeee754`1[TSelf]", + "System.Numerics.IBinaryInteger`1[TSelf]", + "System.Numerics.IBinaryNumber`1[TSelf]", + "System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IDecrementOperators`1[TSelf]", + "System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IExponentialFunctions`1[TSelf]", + "System.Numerics.IFloatingPoint`1[TSelf]", + "System.Numerics.IFloatingPointConstants`1[TSelf]", + "System.Numerics.IFloatingPointIeee754`1[TSelf]", + "System.Numerics.IHyperbolicFunctions`1[TSelf]", + "System.Numerics.IIncrementOperators`1[TSelf]", + "System.Numerics.ILogarithmicFunctions`1[TSelf]", + "System.Numerics.IMinMaxValue`1[TSelf]", + "System.Numerics.IModulusOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult]", + "System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult]", + "System.Numerics.INumber`1[TSelf]", + "System.Numerics.INumberBase`1[TSelf]", + "System.Numerics.IPowerFunctions`1[TSelf]", + "System.Numerics.IRootFunctions`1[TSelf]", + "System.Numerics.IShiftOperators`3[TSelf,TOther,TResult]", + "System.Numerics.ISignedNumber`1[TSelf]", + "System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult]", + "System.Numerics.ITrigonometricFunctions`1[TSelf]", + "System.Numerics.IUnaryNegationOperators`2[TSelf,TResult]", + "System.Numerics.IUnaryPlusOperators`2[TSelf,TResult]", + "System.Numerics.IUnsignedNumber`1[TSelf]", + "System.Net.WebUtility", + "System.Net.WebUtility+UrlDecoder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Net.WebUtility+HtmlEntities, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Net.WebUtility+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.Calendar", + "System.Globalization.CalendarAlgorithmType", + "System.Globalization.CalendarData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CalendarData+IcuEnumCalendarsData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CalendarData+EnumData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CalendarData+NlsEnumCalendarsData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CalendarData+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CalendarDataType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CalendarWeekRule", + "System.Globalization.CalendricalCalculationsHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CalendricalCalculationsHelper+CorrectionAlgorithm, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CalendricalCalculationsHelper+EphemerisCorrectionAlgorithmMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CharUnicodeInfo", + "System.Globalization.ChineseLunisolarCalendar", + "System.Globalization.CompareInfo", + "System.Globalization.CompareInfo+SortHandleCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CompareOptions", + "System.Globalization.CultureData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CultureData+LocaleStringData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CultureData+LocaleGroupingData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CultureData+LocaleNumberData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CultureData+EnumLocaleData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CultureData+EnumData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "cultureinfo", + "System.Globalization.CultureInfo+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CultureNotFoundException", + "System.Globalization.CultureTypes", + "System.Globalization.MonthNameStyles, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.DateTimeFormatFlags, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.DateTimeFormatInfo", + "System.Globalization.DateTimeFormatInfo+TokenHashValue, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.FORMATFLAGS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.CalendarId, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.DateTimeFormatInfoScanner, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.DateTimeFormatInfoScanner+FoundDatePattern, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.DateTimeStyles", + "System.Globalization.DaylightTime", + "System.Globalization.DaylightTimeStruct, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.DigitShapes", + "System.Globalization.EastAsianLunisolarCalendar", + "System.Globalization.GlobalizationExtensions", + "System.Globalization.GlobalizationMode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.GlobalizationMode+Settings, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.GregorianCalendar", + "System.Globalization.EraInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.GregorianCalendarHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.GregorianCalendarTypes", + "System.Globalization.HebrewCalendar", + "System.Globalization.HebrewCalendar+DateBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.HebrewNumberParsingContext, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.HebrewNumberParsingState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.HebrewNumber, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.HebrewNumber+HebrewToken, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.HebrewNumber+HebrewValue, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.HebrewNumber+HS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.HijriCalendar", + "System.Globalization.IcuLocaleDataParts, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.IcuLocaleData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.IdnMapping", + "System.Globalization.InvariantModeCasing, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.ISOWeek", + "System.Globalization.JapaneseCalendar", + "System.Globalization.JapaneseCalendar+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.JapaneseLunisolarCalendar", + "System.Globalization.JulianCalendar", + "System.Globalization.KoreanCalendar", + "System.Globalization.KoreanLunisolarCalendar", + "System.Globalization.Normalization, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.NumberFormatInfo", + "System.Globalization.NumberStyles", + "System.Globalization.Ordinal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.OrdinalCasing, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.PersianCalendar", + "System.Globalization.RegionInfo", + "System.Globalization.SortKey", + "System.Globalization.SortVersion", + "System.Globalization.StringInfo", + "System.Globalization.StrongBidiCategory, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.SurrogateCasing, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TaiwanCalendar", + "System.Globalization.TaiwanLunisolarCalendar", + "System.Globalization.TextElementEnumerator", + "System.Globalization.TextInfo", + "System.Globalization.TextInfo+Tristate, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TextInfo+ToUpperConversion, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TextInfo+ToLowerConversion, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.ThaiBuddhistCalendar", + "System.Globalization.TimeSpanFormat, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanFormat+StandardFormat, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanFormat+FormatLiterals, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanParse, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanParse+TimeSpanStandardStyles, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanParse+TTT, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanParse+TimeSpanToken, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanParse+TimeSpanTokenizer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanParse+TimeSpanRawInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanParse+TimeSpanResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanParse+StringParser, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.TimeSpanStyles", + "System.Globalization.UmAlQuraCalendar", + "System.Globalization.UmAlQuraCalendar+DateMapping, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Globalization.UnicodeCategory", + "System.Configuration.Assemblies.AssemblyHashAlgorithm", + "System.Configuration.Assemblies.AssemblyVersionCompatibility", + "System.ComponentModel.DefaultValueAttribute", + "System.ComponentModel.EditorBrowsableAttribute", + "System.ComponentModel.EditorBrowsableState", + "System.ComponentModel.Win32Exception", + "System.CodeDom.Compiler.GeneratedCodeAttribute", + "System.CodeDom.Compiler.IndentedTextWriter", + "System.CodeDom.Compiler.IndentedTextWriter+d__23, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__38, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__39, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__40, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__41, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__42, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__61, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__62, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__63, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__64, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__65, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.CodeDom.Compiler.IndentedTextWriter+d__66, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.SpanAction`2[T,TArg]", + "System.Buffers.ReadOnlySpanAction`2[T,TArg]", + "System.Buffers.SpanFunc`5[TSpan,T1,T2,T3,TResult]", + "System.Buffers.ArrayPool`1[T]", + "System.Buffers.ArrayPoolEventSource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.ArrayPoolEventSource+BufferAllocatedReason, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.ArrayPoolEventSource+BufferDroppedReason, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.ConfigurableArrayPool`1[T]", + "System.Buffers.ConfigurableArrayPool`1+Bucket[T]", + "System.Buffers.IMemoryOwner`1[T]", + "System.Buffers.IPinnable", + "System.Buffers.MemoryHandle", + "System.Buffers.MemoryManager`1[T]", + "System.Buffers.OperationStatus", + "System.Buffers.StandardFormat", + "System.Buffers.SharedArrayPool`1[T]", + "System.Buffers.SharedArrayPool`1+<>c[T]", + "System.Buffers.SharedArrayPoolThreadLocalArray, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.SharedArrayPoolPartitions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.SharedArrayPoolPartitions+Partition, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.SharedArrayPoolStatics, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Utilities, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Utilities+MemoryPressure, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Any1CharPackedSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Any1CharPackedIgnoreCaseSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Any2CharPackedIgnoreCaseSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Any3CharPackedSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Any2CharPackedSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Any1SearchValues`2[T,TImpl]", + "System.Buffers.Any2SearchValues`2[T,TImpl]", + "System.Buffers.Any3SearchValues`2[T,TImpl]", + "System.Buffers.BitVector256, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.BitVector256+<_values>e__FixedBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.ProbabilisticMapState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.ProbabilisticWithAsciiCharSearchValues`1[TOptimizations]", + "System.Buffers.Any4SearchValues`2[T,TImpl]", + "System.Buffers.Any5SearchValues`2[T,TImpl]", + "System.Buffers.AsciiByteSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.AsciiCharSearchValues`1[TOptimizations]", + "System.Buffers.IndexOfAnyAsciiSearcher, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.IndexOfAnyAsciiSearcher+AsciiState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.IndexOfAnyAsciiSearcher+AnyByteState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.IndexOfAnyAsciiSearcher+INegator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.IndexOfAnyAsciiSearcher+DontNegate, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.IndexOfAnyAsciiSearcher+Negate, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.IndexOfAnyAsciiSearcher+IOptimizations, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.IndexOfAnyAsciiSearcher+Ssse3AndWasmHandleZeroInNeedle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.IndexOfAnyAsciiSearcher+Default, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.IndexOfAnyAsciiSearcher+IResultMapper`2[T,TResult]", + "System.Buffers.IndexOfAnyAsciiSearcher+ContainsAnyResultMapper`1[T]", + "System.Buffers.IndexOfAnyAsciiSearcher+IndexOfAnyResultMapper`1[T]", + "System.Buffers.AnyByteSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.RangeByteSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.RangeCharSearchValues`1[TShouldUsePacked]", + "System.Buffers.ProbabilisticCharSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.BitmapCharSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.SearchValues", + "System.Buffers.SearchValues+IRuntimeConst, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.SearchValues+TrueConst, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.SearchValues+FalseConst, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.SearchValues`1[T]", + "System.Buffers.SearchValuesDebugView`1[T]", + "System.Buffers.EmptySearchValues`1[T]", + "System.Buffers.ProbabilisticMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.AhoCorasick, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.AhoCorasick+IFastScan, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.AhoCorasick+IndexOfAnyAsciiFastScan, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.AhoCorasick+NoFastScan, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.AhoCorasickBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.AhoCorasickNode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.CharacterFrequencyHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.RabinKarp, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper+IValueLength, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper+ValueLengthLessThan4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper+ValueLength4To7, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper+ValueLength8OrLongerOrUnknown, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper+ICaseSensitivity, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper+CaseSensitive, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper+CaseInsensitiveAsciiLetters, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper+CaseInsensitiveAscii, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesHelper+CaseInsensitiveUnicode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.TeddyBucketizer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.TeddyHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.AsciiStringSearchValuesTeddyBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity]", + "System.Buffers.AsciiStringSearchValuesTeddyBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity]", + "System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity]", + "System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity]", + "System.Buffers.AsciiStringSearchValuesTeddyBase`3[TBucketized,TStartCaseSensitivity,TCaseSensitivity]", + "System.Buffers.MultiStringIgnoreCaseSearchValuesFallback, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.SingleStringSearchValuesThreeChars`2[TValueLength,TCaseSensitivity]", + "System.Buffers.SingleStringSearchValuesFallback`1[TIgnoreCase]", + "System.Buffers.StringSearchValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValues+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesBase, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.StringSearchValuesAhoCorasick`2[TCaseSensitivity,TFastScanVariant]", + "System.Buffers.StringSearchValuesRabinKarp`1[TCaseSensitivity]", + "System.Buffers.Text.Base64Helper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Helper+Base64DecoderByte, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Helper+IBase64Encoder`1[T]", + "System.Buffers.Text.Base64Helper+IBase64Decoder`1[T]", + "System.Buffers.Text.Base64Helper+IBase64Validatable`1[T]", + "System.Buffers.Text.Base64Helper+Base64CharValidatable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Helper+Base64ByteValidatable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Helper+Base64EncoderByte, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64", + "System.Buffers.Text.Base64Url", + "System.Buffers.Text.Base64Url+Base64UrlDecoderByte, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Url+Base64UrlDecoderChar, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Url+Base64UrlEncoderByte, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Url+Base64UrlEncoderChar, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Url+Base64UrlCharValidatable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Url+Base64UrlByteValidatable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Base64Url+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.FormattingHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Utf8Formatter", + "System.Buffers.Text.ParserHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Utf8Parser", + "System.Buffers.Text.Utf8Parser+ParseNumberOptions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Utf8Parser+ComponentParseResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Text.Utf8Parser+TimeSpanSplitter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Binary.BinaryPrimitives", + "System.Buffers.Binary.BinaryPrimitives+Int16EndiannessReverser, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Binary.BinaryPrimitives+Int32EndiannessReverser, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Binary.BinaryPrimitives+Int64EndiannessReverser, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Buffers.Binary.BinaryPrimitives+IEndiannessReverser`1[T]", + "System.Threading.Interlocked", + "System.Threading.Monitor", + "System.Threading.SynchronizationContext", + "System.Threading.SynchronizationContext+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadHandle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Thread", + "System.Threading.Thread+StartHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Thread+LocalDataStore, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPool", + "System.Threading.ThreadPool+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPool+d__26, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.WaitHandle", + "System.Threading.AbandonedMutexException", + "System.Threading.ApartmentState", + "System.Threading.AsyncLocal`1[T]", + "System.Threading.IAsyncLocal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncLocalValueChangedArgs`1[T]", + "System.Threading.IAsyncLocalValueMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncLocalValueMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncLocalValueMap+EmptyAsyncLocalValueMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncLocalValueMap+OneElementAsyncLocalValueMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncLocalValueMap+TwoElementAsyncLocalValueMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncLocalValueMap+ThreeElementAsyncLocalValueMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncLocalValueMap+FourElementAsyncLocalValueMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncLocalValueMap+MultiElementAsyncLocalValueMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncLocalValueMap+ManyElementAsyncLocalValueMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AutoResetEvent", + "System.Threading.CancellationToken", + "System.Threading.CancellationToken+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenRegistration", + "System.Threading.CancellationTokenSource", + "System.Threading.CancellationTokenSource+States, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenSource+Linked1CancellationTokenSource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenSource+Linked2CancellationTokenSource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenSource+Registrations, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenSource+Registrations+d__12, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenSource+CallbackNode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenSource+CallbackNode+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CancellationTokenSource+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CompressedStack", + "System.Threading.StackCrawlMark, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.IDeferredDisposable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.DeferredDisposableLifetime`1[T]", + "System.Threading.EventResetMode", + "System.Threading.EventWaitHandle", + "System.Threading.ContextCallback", + "System.Threading.ExecutionContext", + "System.Threading.AsyncFlowControl", + "System.Threading.IOCompletionCallback", + "System.Threading.IOCompletionCallbackHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.IThreadPoolWorkItem", + "System.Threading.LazyInitializer", + "System.Threading.LazyThreadSafetyMode", + "System.Threading.Lock", + "System.Threading.Lock+Scope", + "System.Threading.Lock+State, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Lock+TryLockResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Lock+ThreadId, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.LockRecursionException", + "System.Threading.LowLevelLock, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.LowLevelSpinWaiter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.LowLevelMonitor, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.LowLevelMonitor+Monitor, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ManualResetEvent", + "System.Threading.ManualResetEventSlim", + "System.Threading.Mutex", + "System.Threading.NativeOverlapped", + "System.Threading.Overlapped", + "System.Threading.ParameterizedThreadStart", + "System.Threading.LockRecursionPolicy", + "System.Threading.ReaderWriterCount, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ReaderWriterLockSlim", + "System.Threading.ReaderWriterLockSlim+TimeoutTracker, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ReaderWriterLockSlim+SpinLock, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ReaderWriterLockSlim+WaiterStates, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ReaderWriterLockSlim+EnterSpinLockReason, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ReaderWriterLockSlim+EnterLockType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Semaphore", + "System.Threading.SemaphoreFullException", + "System.Threading.SemaphoreSlim", + "System.Threading.SemaphoreSlim+TaskNode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.SemaphoreSlim+d__31, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.SendOrPostCallback", + "System.Threading.SpinLock", + "System.Threading.SpinLock+SystemThreading_SpinLockDebugView, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.SpinWait", + "System.Threading.SynchronizationLockException", + "System.Threading.ProcessorIdCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadAbortException", + "System.Threading.ThreadBlockingInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadBlockingInfo+Scope, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadBlockingInfo+ObjectKind, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadExceptionEventArgs", + "System.Threading.ThreadExceptionEventHandler", + "System.Threading.ThreadInt64PersistentCounter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadInt64PersistentCounter+ThreadLocalNode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadInt64PersistentCounter+ThreadLocalNodeFinalizationHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadInterruptedException", + "System.Threading.ThreadLocal`1[T]", + "System.Threading.ThreadLocal`1+LinkedSlotVolatile[T]", + "System.Threading.ThreadLocal`1+LinkedSlot[T]", + "System.Threading.ThreadLocal`1+IdManager[T]", + "System.Threading.ThreadLocal`1+FinalizationHelper[T]", + "System.Threading.SystemThreading_ThreadLocalDebugView`1[T]", + "System.Threading.ThreadPoolWorkQueue, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPoolWorkQueue+WorkStealingQueueList, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPoolWorkQueue+WorkStealingQueue, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPoolWorkQueue+QueueProcessingStage, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPoolWorkQueue+CacheLineSeparated, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPoolWorkQueueThreadLocals, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.IThreadPoolTypedWorkItemQueueCallback`1[T]", + "System.Threading.ThreadPoolTypedWorkItemQueue`2[T,TCallback]", + "System.Threading.ThreadPoolTypedWorkItemQueue`2+QueueProcessingStage[T,TCallback]", + "System.Threading.WaitCallback", + "System.Threading.WaitOrTimerCallback", + "System.Threading.QueueUserWorkItemCallbackBase, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.QueueUserWorkItemCallback, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.QueueUserWorkItemCallback+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.QueueUserWorkItemCallback`1[TState]", + "System.Threading.QueueUserWorkItemCallbackDefaultContext, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.QueueUserWorkItemCallbackDefaultContext`1[TState]", + "System.Threading._ThreadPoolWaitOrTimerCallback, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPriority", + "System.Threading.ThreadStart", + "System.Threading.ThreadStartException", + "System.Threading.ThreadState", + "System.Threading.ThreadStateException", + "System.Threading.Timeout", + "System.Threading.TimeoutHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PeriodicTimer", + "System.Threading.PeriodicTimer+State, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PeriodicTimer+State+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PeriodicTimer+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.TimerCallback", + "System.Threading.TimerQueue, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.TimerQueue+TimerQueueDebuggerTypeProxy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.TimerQueue+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.TimerQueue+d__7, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.TimerQueueTimer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.TimerQueueTimer+TimerDebuggerTypeProxy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.TimerQueueTimer+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.TimerHolder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Timer", + "System.Threading.Timer+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile", + "System.Threading.Volatile+VolatileBoolean, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileByte, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileInt16, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileInt32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileIntPtr, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileSByte, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileSingle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileUInt16, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileUInt32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileUIntPtr, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Volatile+VolatileObject, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.WaitHandleCannotBeOpenedException", + "System.Threading.WaitHandleExtensions", + "System.Threading.Win32ThreadPoolNativeOverlapped, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Win32ThreadPoolNativeOverlapped+ExecutionContextCallbackArgs, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Win32ThreadPoolNativeOverlapped+OverlappedData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Win32ThreadPoolNativeOverlapped+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ITimer", + "System.Threading.OpenExistingResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncOverSyncWithIoCancellation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncOverSyncWithIoCancellation+SyncAsyncWorkItemRegistration, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncOverSyncWithIoCancellation+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.AsyncOverSyncWithIoCancellation+d__7`1[TState]", + "System.Threading.AsyncOverSyncWithIoCancellation+d__8`2[TState,TResult]", + "System.Threading.RegisteredWaitHandle", + "System.Threading.ThreadPoolBoundHandle", + "System.Threading.PreAllocatedOverlapped", + "System.Threading.WindowsThreadPool, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.WindowsThreadPool+ThreadCountHolder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.WindowsThreadPool+WorkingThreadCounter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.WindowsThreadPool+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.CompleteWaitThreadPoolWorkItem, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+CacheLineSeparated, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+PendingBlockingAdjustment, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+BlockingConfig, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+GateThread, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+GateThread+DelayHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+GateThread+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+HillClimbing, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+HillClimbing+StateOrTransition, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+HillClimbing+LogEntry, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+HillClimbing+Complex, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+IOCompletionPoller, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+IOCompletionPoller+Callback, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+IOCompletionPoller+Event, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+ThreadCounts, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+WaitThreadNode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+WaitThread, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+WorkerThread, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+WorkerThread+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+CountsOfThreadsProcessingUserCallbacks, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.PortableThreadPool+CpuUtilizationReader, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.LowLevelLifoSemaphore, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.LowLevelLifoSemaphore+Counts, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.LowLevelLifoSemaphore+CacheLineSeparatedCounts, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPoolBoundHandleOverlapped, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.ThreadPoolCallbackWrapper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.AsyncCausalityStatus, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.CausalityRelation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.CausalitySynchronousWork, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.CachedCompletedInt32Task, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+CompletionState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+SchedulerWorkItem, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+DebugView, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+DebugView, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ProcessingMode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ConfigureAwaitOptions", + "System.Threading.Tasks.Task`1[TResult]", + "System.Threading.Tasks.SystemThreadingTasks_FutureDebugView`1[TResult]", + "System.Threading.Tasks.TaskFactory`1[TResult]", + "System.Threading.Tasks.TaskFactory`1+FromAsyncTrimPromise`1[TResult,TInstance]", + "System.Threading.Tasks.TaskFactory`1+<>c[TResult]", + "System.Threading.Tasks.TaskFactory`1+<>c__56`1[TResult,TAntecedentResult]", + "System.Threading.Tasks.TaskFactory`1+<>c__67`1[TResult,TAntecedentResult]", + "System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass32_0[TResult]", + "System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass35_0[TResult]", + "System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass38_0`1[TResult,TArg1]", + "System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass41_0`2[TResult,TArg1,TArg2]", + "System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass44_0`3[TResult,TArg1,TArg2,TArg3]", + "System.Threading.Tasks.LoggingExtensions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskStatus", + "System.Threading.Tasks.Task", + "System.Threading.Tasks.Task+TaskStateFlags, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+ContingentProperties, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+CancellationPromise`1[TResult]", + "System.Threading.Tasks.Task+CancellationPromise`1+<>c[TResult]", + "System.Threading.Tasks.Task+SetOnInvokeMres, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+SetOnCountdownMres, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+DelayPromise, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+DelayPromiseWithCancellation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+DelayPromiseWithCancellation+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+WhenAllPromise, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+WhenAllPromise+<>c__DisplayClass2_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+WhenAllPromise`1[T]", + "System.Threading.Tasks.Task+TwoTaskWhenAnyPromise`1[TTask]", + "System.Threading.Tasks.Task+WhenEachState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Task+WhenEachState+d__15`1[T]", + "System.Threading.Tasks.Task+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.CompletionActionInvoker, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.SystemThreadingTasks_TaskDebugView, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskCreationOptions", + "System.Threading.Tasks.InternalTaskOptions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskContinuationOptions", + "System.Threading.Tasks.VoidTaskResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ITaskCompletionAction, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.UnwrapPromise`1[TResult]", + "System.Threading.Tasks.UnwrapPromise`1+<>c[TResult]", + "System.Threading.Tasks.TaskAsyncEnumerableExtensions", + "System.Threading.Tasks.TaskAsyncEnumerableExtensions+ManualResetEventWithAwaiterSupport, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskAsyncEnumerableExtensions+d__3`1[T]", + "System.Threading.Tasks.TaskCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskCanceledException", + "System.Threading.Tasks.TaskCompletionSource", + "System.Threading.Tasks.TaskCompletionSource`1[TResult]", + "System.Threading.Tasks.ContinuationTaskFromTask, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ContinuationResultTaskFromTask`1[TResult]", + "System.Threading.Tasks.ContinuationTaskFromResultTask`1[TAntecedentResult]", + "System.Threading.Tasks.ContinuationResultTaskFromResultTask`2[TAntecedentResult,TResult]", + "System.Threading.Tasks.TaskContinuation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ContinueWithTaskContinuation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c__DisplayClass6_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.AwaitTaskContinuation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.AwaitTaskContinuation+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskExceptionHolder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskExtensions", + "System.Threading.Tasks.TaskFactory", + "System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise`1[T]", + "System.Threading.Tasks.TaskFactory+CompleteOnInvokePromise`1[TTask]", + "System.Threading.Tasks.TaskScheduler", + "System.Threading.Tasks.TaskScheduler+SystemThreadingTasks_TaskSchedulerDebugView, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.SynchronizationContextTaskScheduler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.SynchronizationContextTaskScheduler+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.UnobservedTaskExceptionEventArgs", + "System.Threading.Tasks.TaskSchedulerException", + "System.Threading.Tasks.ThreadPoolTaskScheduler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ThreadPoolTaskScheduler+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ThreadPoolTaskScheduler+d__6, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TplEventSource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TplEventSource+TaskWaitBehavior, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TplEventSource+Tasks, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.TplEventSource+Keywords, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ValueTask", + "System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.ValueTask`1[TResult]", + "System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask[TResult]", + "System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask+<>c[TResult]", + "System.Threading.Tasks.TaskToAsyncResult", + "System.Threading.Tasks.TaskToAsyncResult+TaskAsyncResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags", + "System.Threading.Tasks.Sources.ValueTaskSourceStatus", + "System.Threading.Tasks.Sources.IValueTaskSource", + "System.Threading.Tasks.Sources.IValueTaskSource`1[TResult]", + "System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult]", + "System.Threading.Tasks.Sources.CapturedSchedulerAndExecutionContext, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Threading.Tasks.Sources.ManualResetValueTaskSourceCoreShared, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.StringBuilder", + "System.Text.StringBuilder+ChunkEnumerator", + "System.Text.StringBuilder+ChunkEnumerator+ManyChunkInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.StringBuilder+AppendInterpolatedStringHandler", + "System.Text.Ascii", + "System.Text.Ascii+ToUpperConversion, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Ascii+ToLowerConversion, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Ascii+ILoader`2[TLeft,TRight]", + "System.Text.Ascii+PlainLoader`1[T]", + "System.Text.Ascii+WideningLoader, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.ASCIIEncoding", + "System.Text.ASCIIEncoding+ASCIIEncodingSealed, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.CodePageDataItem, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.CompositeFormat", + "System.Text.Decoder", + "System.Text.DecoderExceptionFallback", + "System.Text.DecoderExceptionFallbackBuffer", + "System.Text.DecoderFallbackException", + "System.Text.DecoderFallback", + "System.Text.DecoderFallbackBuffer", + "System.Text.DecoderNLS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.DecoderReplacementFallback", + "System.Text.DecoderReplacementFallbackBuffer", + "System.Text.Encoder", + "System.Text.EncoderExceptionFallback", + "System.Text.EncoderExceptionFallbackBuffer", + "System.Text.EncoderFallbackException", + "System.Text.EncoderFallback", + "System.Text.EncoderFallbackBuffer", + "System.Text.EncoderLatin1BestFitFallback, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.EncoderLatin1BestFitFallbackBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.EncoderNLS, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.EncoderReplacementFallback", + "System.Text.EncoderReplacementFallbackBuffer", + "System.Text.Encoding", + "System.Text.Encoding+DefaultEncoder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Encoding+DefaultDecoder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Encoding+EncodingCharBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Encoding+EncodingByteBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.EncodingTable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.EncodingInfo", + "System.Text.EncodingProvider", + "System.Text.Latin1Encoding, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Latin1Encoding+Latin1EncodingSealed, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Latin1Utility, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.NormalizationForm", + "System.Text.Rune", + "System.Text.SpanLineEnumerator", + "System.Text.SpanRuneEnumerator", + "System.Text.StringRuneEnumerator", + "System.Text.TranscodingStream, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.TranscodingStream+<g__DisposeAsyncCore|30_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.TranscodingStream+<g__ReadAsyncCore|41_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.TranscodingStream+<g__WriteAsyncCore|50_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.TrimType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.UnicodeEncoding", + "System.Text.UnicodeEncoding+Decoder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.UnicodeUtility, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.UTF32Encoding", + "System.Text.UTF32Encoding+UTF32Decoder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.UTF7Encoding", + "System.Text.UTF7Encoding+Decoder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.UTF7Encoding+Encoder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.UTF7Encoding+DecoderUTF7Fallback, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.UTF7Encoding+DecoderUTF7FallbackBuffer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.UTF8Encoding", + "System.Text.UTF8Encoding+UTF8EncodingSealed, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.ValueStringBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.StringBuilderCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Unicode.GraphemeClusterBreakType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Unicode.TextSegmentationUtility, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Unicode.TextSegmentationUtility+DecodeFirstRune`1[T]", + "System.Text.Unicode.TextSegmentationUtility+Processor`1[T]", + "System.Text.Unicode.Utf16Utility, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Text.Unicode.Utf8", + "System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler", + "System.Text.Unicode.Utf8Utility, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.AnsiCharMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.CSTRMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.UTF8BufferMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.BSTRMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.VBByValStrMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.AnsiBSTRMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.FixedWSTRMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.ObjectMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.HandleMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.DateMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.InterfaceMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.MngdNativeArrayMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.MngdNativeArrayMarshaler+MarshalerState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.MngdFixedArrayMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.MngdFixedArrayMarshaler+MarshalerState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.MngdSafeArrayMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.MngdRefCustomMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.AsAnyMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.AsAnyMarshaler+BackPropAction, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.CleanupWorkListElement, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.KeepAliveCleanupWorkListElement, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.SafeHandleCleanupWorkListElement, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.StubHelpers.StubHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.ControlledExecution", + "System.Runtime.ControlledExecution+Canceler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.ControlledExecution+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.DependentHandle", + "System.Runtime.RhFailFastReason, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.EH, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.EH+RhEHClauseKind, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.EH+RhEHClause, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.EH+EHEnum, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.EH+MethodRegionInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.EH+PAL_LIMITED_CONTEXT, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.EH+ExKind, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.EH+ExInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.ExceptionIDs, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.REGDISPLAY, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.StackFrameIterator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.GCSettings", + "System.Runtime.GCSettings+SetLatencyModeStatus, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.JitInfo", + "System.Runtime.AmbiguousImplementationException", + "System.Runtime.GCFrameRegistration, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.GCLargeObjectHeapCompactionMode", + "System.Runtime.GCLatencyMode", + "System.Runtime.MemoryFailPoint", + "System.Runtime.AssemblyTargetedPatchBandAttribute", + "System.Runtime.TargetedPatchingOptOutAttribute", + "System.Runtime.ProfileOptimization", + "System.Runtime.Versioning.ComponentGuaranteesAttribute", + "System.Runtime.Versioning.ComponentGuaranteesOptions", + "System.Runtime.Versioning.FrameworkName", + "System.Runtime.Versioning.OSPlatformAttribute", + "System.Runtime.Versioning.TargetPlatformAttribute", + "System.Runtime.Versioning.SupportedOSPlatformAttribute", + "System.Runtime.Versioning.UnsupportedOSPlatformAttribute", + "System.Runtime.Versioning.ObsoletedOSPlatformAttribute", + "System.Runtime.Versioning.SupportedOSPlatformGuardAttribute", + "System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute", + "System.Runtime.Versioning.RequiresPreviewFeaturesAttribute", + "System.Runtime.Versioning.ResourceConsumptionAttribute", + "System.Runtime.Versioning.ResourceExposureAttribute", + "System.Runtime.Versioning.ResourceScope", + "System.Runtime.Versioning.TargetFrameworkAttribute", + "System.Runtime.Versioning.SxSRequirements, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Versioning.VersioningHelper", + "System.Runtime.Versioning.NonVersionableAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Serialization.DeserializationToken", + "System.Runtime.Serialization.DeserializationTracker, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Serialization.IDeserializationCallback", + "System.Runtime.Serialization.IFormatterConverter", + "System.Runtime.Serialization.IObjectReference", + "System.Runtime.Serialization.ISafeSerializationData", + "System.Runtime.Serialization.ISerializable", + "System.Runtime.Serialization.OnDeserializedAttribute", + "System.Runtime.Serialization.OnDeserializingAttribute", + "System.Runtime.Serialization.OnSerializedAttribute", + "System.Runtime.Serialization.OnSerializingAttribute", + "System.Runtime.Serialization.OptionalFieldAttribute", + "System.Runtime.Serialization.SafeSerializationEventArgs", + "System.Runtime.Serialization.SerializationException", + "System.Runtime.Serialization.SerializationInfo", + "System.Runtime.Serialization.SerializationEntry", + "System.Runtime.Serialization.SerializationInfoEnumerator", + "System.Runtime.Serialization.StreamingContext", + "System.Runtime.Serialization.StreamingContextStates", + "System.Runtime.Remoting.ObjectHandle", + "System.Runtime.ConstrainedExecution.Cer", + "System.Runtime.ConstrainedExecution.Consistency", + "System.Runtime.ConstrainedExecution.CriticalFinalizerObject", + "System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute", + "System.Runtime.ConstrainedExecution.ReliabilityContractAttribute", + "System.Runtime.Loader.AssemblyLoadContext", + "System.Runtime.Loader.AssemblyLoadContext+InternalState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope", + "System.Runtime.Loader.AssemblyLoadContext+d__88, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Loader.AssemblyLoadContext+d__58, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Loader.DefaultAssemblyLoadContext, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Loader.IndividualAssemblyLoadContext, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Loader.LibraryNameVariation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Loader.LibraryNameVariation+d__4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Loader.AssemblyDependencyResolver", + "System.Runtime.Loader.AssemblyDependencyResolver+<>c__DisplayClass6_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Intrinsics.ISimdVector`2[TSelf,T]", + "System.Runtime.Intrinsics.Scalar`1[T]", + "System.Runtime.Intrinsics.SimdVectorExtensions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Intrinsics.Vector128", + "System.Runtime.Intrinsics.Vector128`1[T]", + "System.Runtime.Intrinsics.Vector128DebugView`1[T]", + "System.Runtime.Intrinsics.Vector256", + "System.Runtime.Intrinsics.Vector256`1[T]", + "System.Runtime.Intrinsics.Vector256DebugView`1[T]", + "System.Runtime.Intrinsics.Vector512", + "System.Runtime.Intrinsics.Vector512`1[T]", + "System.Runtime.Intrinsics.Vector512DebugView`1[T]", + "System.Runtime.Intrinsics.Vector64", + "System.Runtime.Intrinsics.Vector64`1[T]", + "System.Runtime.Intrinsics.Vector64DebugView`1[T]", + "System.Runtime.Intrinsics.VectorMath, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.Intrinsics.Wasm.PackedSimd", + "System.Runtime.Intrinsics.Arm.SveMaskPattern", + "System.Runtime.Intrinsics.Arm.SvePrefetchType", + "System.Runtime.Intrinsics.Arm.AdvSimd", + "System.Runtime.Intrinsics.Arm.AdvSimd+Arm64", + "System.Runtime.Intrinsics.Arm.Aes", + "System.Runtime.Intrinsics.Arm.Aes+Arm64", + "System.Runtime.Intrinsics.Arm.ArmBase", + "System.Runtime.Intrinsics.Arm.ArmBase+Arm64", + "System.Runtime.Intrinsics.Arm.Crc32", + "System.Runtime.Intrinsics.Arm.Crc32+Arm64", + "System.Runtime.Intrinsics.Arm.Dp", + "System.Runtime.Intrinsics.Arm.Dp+Arm64", + "System.Runtime.Intrinsics.Arm.Rdm", + "System.Runtime.Intrinsics.Arm.Rdm+Arm64", + "System.Runtime.Intrinsics.Arm.Sha1", + "System.Runtime.Intrinsics.Arm.Sha1+Arm64", + "System.Runtime.Intrinsics.Arm.Sha256", + "System.Runtime.Intrinsics.Arm.Sha256+Arm64", + "System.Runtime.Intrinsics.Arm.Sve", + "System.Runtime.Intrinsics.Arm.Sve+Arm64", + "System.Runtime.Intrinsics.X86.X86Base", + "System.Runtime.Intrinsics.X86.X86Base+X64", + "System.Runtime.Intrinsics.X86.FloatComparisonMode", + "System.Runtime.Intrinsics.X86.FloatRoundingMode", + "System.Runtime.Intrinsics.X86.Aes", + "System.Runtime.Intrinsics.X86.Aes+X64", + "System.Runtime.Intrinsics.X86.Avx", + "System.Runtime.Intrinsics.X86.Avx+X64", + "System.Runtime.Intrinsics.X86.Avx2", + "System.Runtime.Intrinsics.X86.Avx2+X64", + "System.Runtime.Intrinsics.X86.Avx10v1", + "System.Runtime.Intrinsics.X86.Avx10v1+X64", + "System.Runtime.Intrinsics.X86.Avx10v1+V512", + "System.Runtime.Intrinsics.X86.Avx10v1+V512+X64", + "System.Runtime.Intrinsics.X86.Avx512BW", + "System.Runtime.Intrinsics.X86.Avx512BW+VL", + "System.Runtime.Intrinsics.X86.Avx512BW+X64", + "System.Runtime.Intrinsics.X86.Avx512CD", + "System.Runtime.Intrinsics.X86.Avx512CD+VL", + "System.Runtime.Intrinsics.X86.Avx512CD+X64", + "System.Runtime.Intrinsics.X86.Avx512DQ", + "System.Runtime.Intrinsics.X86.Avx512DQ+VL", + "System.Runtime.Intrinsics.X86.Avx512DQ+X64", + "System.Runtime.Intrinsics.X86.Avx512F", + "System.Runtime.Intrinsics.X86.Avx512F+VL", + "System.Runtime.Intrinsics.X86.Avx512F+X64", + "System.Runtime.Intrinsics.X86.Avx512Vbmi", + "System.Runtime.Intrinsics.X86.Avx512Vbmi+VL", + "System.Runtime.Intrinsics.X86.Avx512Vbmi+X64", + "System.Runtime.Intrinsics.X86.AvxVnni", + "System.Runtime.Intrinsics.X86.AvxVnni+X64", + "System.Runtime.Intrinsics.X86.Bmi1", + "System.Runtime.Intrinsics.X86.Bmi1+X64", + "System.Runtime.Intrinsics.X86.Bmi2", + "System.Runtime.Intrinsics.X86.Bmi2+X64", + "System.Runtime.Intrinsics.X86.Fma", + "System.Runtime.Intrinsics.X86.Fma+X64", + "System.Runtime.Intrinsics.X86.Lzcnt", + "System.Runtime.Intrinsics.X86.Lzcnt+X64", + "System.Runtime.Intrinsics.X86.Pclmulqdq", + "System.Runtime.Intrinsics.X86.Pclmulqdq+X64", + "System.Runtime.Intrinsics.X86.Popcnt", + "System.Runtime.Intrinsics.X86.Popcnt+X64", + "System.Runtime.Intrinsics.X86.Sse", + "System.Runtime.Intrinsics.X86.Sse+X64", + "System.Runtime.Intrinsics.X86.Sse2", + "System.Runtime.Intrinsics.X86.Sse2+X64", + "System.Runtime.Intrinsics.X86.Sse3", + "System.Runtime.Intrinsics.X86.Sse3+X64", + "System.Runtime.Intrinsics.X86.Sse41", + "System.Runtime.Intrinsics.X86.Sse41+X64", + "System.Runtime.Intrinsics.X86.Sse42", + "System.Runtime.Intrinsics.X86.Sse42+X64", + "System.Runtime.Intrinsics.X86.Ssse3", + "System.Runtime.Intrinsics.X86.Ssse3+X64", + "System.Runtime.Intrinsics.X86.X86Serialize", + "System.Runtime.Intrinsics.X86.X86Serialize+X64", + "System.Runtime.InteropServices.DynamicInterfaceCastableHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.GCHandle", + "System.Runtime.InteropServices.Marshal", + "System.Runtime.InteropServices.Marshal+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.MemoryMarshal", + "System.Runtime.InteropServices.MemoryMarshal+<g__FromArray|18_2>d`1[T]", + "System.Runtime.InteropServices.MemoryMarshal+<g__FromMemoryManager|18_1>d`1[T]", + "System.Runtime.InteropServices.MemoryMarshal+<g__FromString|18_0>d`1[T]", + "System.Runtime.InteropServices.NativeLibrary", + "System.Runtime.InteropServices.ComWrappersScenario, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ComWrappers", + "System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch", + "System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch+ComInterfaceInstance, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry", + "System.Runtime.InteropServices.IDispatch, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.InvokeFlags, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ComEventsMethod, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ComEventsMethod+DelegateWrapper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ComEventsSink, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.BuiltInInteropVariantExtensions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ComEventsHelper", + "System.Runtime.InteropServices.ComEventsInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute", + "System.Runtime.InteropServices.Architecture", + "System.Runtime.InteropServices.ArrayWithOffset", + "System.Runtime.InteropServices.BestFitMappingAttribute", + "System.Runtime.InteropServices.BStrWrapper", + "System.Runtime.InteropServices.CallingConvention", + "System.Runtime.InteropServices.CharSet", + "System.Runtime.InteropServices.ClassInterfaceAttribute", + "System.Runtime.InteropServices.ClassInterfaceType", + "System.Runtime.InteropServices.CLong", + "System.Runtime.InteropServices.CoClassAttribute", + "System.Runtime.InteropServices.CollectionsMarshal", + "System.Runtime.InteropServices.ComDefaultInterfaceAttribute", + "System.Runtime.InteropServices.ComEventInterfaceAttribute", + "System.Runtime.InteropServices.COMException", + "System.Runtime.InteropServices.ComImportAttribute", + "System.Runtime.InteropServices.ComInterfaceType", + "System.Runtime.InteropServices.ComMemberType", + "System.Runtime.InteropServices.ComSourceInterfacesAttribute", + "System.Runtime.InteropServices.ComVisibleAttribute", + "System.Runtime.InteropServices.CreateComInterfaceFlags", + "System.Runtime.InteropServices.CreateObjectFlags", + "System.Runtime.InteropServices.CriticalHandle", + "System.Runtime.InteropServices.CULong", + "System.Runtime.InteropServices.CurrencyWrapper", + "System.Runtime.InteropServices.CustomQueryInterfaceMode", + "System.Runtime.InteropServices.CustomQueryInterfaceResult", + "System.Runtime.InteropServices.DefaultCharSetAttribute", + "System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute", + "System.Runtime.InteropServices.DefaultParameterValueAttribute", + "System.Runtime.InteropServices.DispatchWrapper", + "System.Runtime.InteropServices.DispIdAttribute", + "System.Runtime.InteropServices.DllImportAttribute", + "System.Runtime.InteropServices.DllImportSearchPath", + "System.Runtime.InteropServices.ErrorWrapper", + "System.Runtime.InteropServices.ExternalException", + "System.Runtime.InteropServices.FieldOffsetAttribute", + "System.Runtime.InteropServices.GCHandleType", + "System.Runtime.InteropServices.GuidAttribute", + "System.Runtime.InteropServices.HandleRef", + "System.Runtime.InteropServices.ICustomAdapter", + "System.Runtime.InteropServices.ICustomFactory", + "System.Runtime.InteropServices.ICustomMarshaler", + "System.Runtime.InteropServices.ICustomQueryInterface", + "System.Runtime.InteropServices.IDynamicInterfaceCastable", + "System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute", + "System.Runtime.InteropServices.InAttribute", + "System.Runtime.InteropServices.InterfaceTypeAttribute", + "System.Runtime.InteropServices.InvalidComObjectException", + "System.Runtime.InteropServices.InvalidOleVariantTypeException", + "System.Runtime.InteropServices.LayoutKind", + "System.Runtime.InteropServices.LCIDConversionAttribute", + "System.Runtime.InteropServices.LibraryImportAttribute", + "System.Runtime.InteropServices.MarshalAsAttribute", + "System.Runtime.InteropServices.MarshalDirectiveException", + "System.Runtime.InteropServices.DllImportResolver", + "System.Runtime.InteropServices.NativeMemory", + "System.Runtime.InteropServices.NFloat", + "System.Runtime.InteropServices.OptionalAttribute", + "System.Runtime.InteropServices.OSPlatform", + "System.Runtime.InteropServices.OutAttribute", + "System.Runtime.InteropServices.PosixSignal", + "System.Runtime.InteropServices.PosixSignalContext", + "System.Runtime.InteropServices.PosixSignalRegistration", + "System.Runtime.InteropServices.PosixSignalRegistration+Token, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.PreserveSigAttribute", + "System.Runtime.InteropServices.ProgIdAttribute", + "System.Runtime.InteropServices.RuntimeInformation", + "System.Runtime.InteropServices.SafeArrayRankMismatchException", + "System.Runtime.InteropServices.SafeArrayTypeMismatchException", + "System.Runtime.InteropServices.SafeBuffer", + "System.Runtime.InteropServices.SafeHandle", + "System.Runtime.InteropServices.SEHException", + "System.Runtime.InteropServices.StringMarshalling", + "System.Runtime.InteropServices.StructLayoutAttribute", + "System.Runtime.InteropServices.SuppressGCTransitionAttribute", + "System.Runtime.InteropServices.TypeIdentifierAttribute", + "System.Runtime.InteropServices.UnknownWrapper", + "System.Runtime.InteropServices.UnmanagedCallConvAttribute", + "System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute", + "System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute", + "System.Runtime.InteropServices.UnmanagedType", + "System.Runtime.InteropServices.VarEnum", + "System.Runtime.InteropServices.VariantWrapper", + "System.Runtime.InteropServices.WasmImportLinkageAttribute", + "System.Runtime.InteropServices.StandardOleMarshalObject", + "System.Runtime.InteropServices.IMarshal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal", + "System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler", + "System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction", + "System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute", + "System.Runtime.InteropServices.Swift.SwiftSelf", + "System.Runtime.InteropServices.Swift.SwiftSelf`1[T]", + "System.Runtime.InteropServices.Swift.SwiftError", + "System.Runtime.InteropServices.Swift.SwiftIndirectResult", + "System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller", + "System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn", + "System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.BStrStringMarshaller", + "System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn", + "System.Runtime.InteropServices.Marshalling.ComVariant", + "System.Runtime.InteropServices.Marshalling.ComVariant+TypeUnion, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.Marshalling.ComVariant+Record, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.Marshalling.ComVariant+Blob, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.Marshalling.ComVariant+Vector`1[T]", + "System.Runtime.InteropServices.Marshalling.ComVariant+VersionedStream, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.Marshalling.ComVariant+ClipboardData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.Marshalling.ComVariant+UnionTypes, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute", + "System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute", + "System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder", + "System.Runtime.InteropServices.Marshalling.MarshalMode", + "System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute", + "System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute", + "System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T]", + "System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T]", + "System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T]", + "System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T]", + "System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller", + "System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller", + "System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn", + "System.Runtime.InteropServices.CustomMarshalers.ComDataHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.CustomMarshalers.EnumVariantViewOfEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.CustomMarshalers.EnumerableViewOfDispatch, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.CustomMarshalers.EnumeratorViewOfEnumVariant, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.CustomMarshalers.ExpandoToDispatchExMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.CustomMarshalers.TypeToTypeInfoMarshaler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ComTypes.IEnumerable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ComTypes.IEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.InteropServices.ComTypes.BIND_OPTS", + "System.Runtime.InteropServices.ComTypes.IBindCtx", + "System.Runtime.InteropServices.ComTypes.IConnectionPoint", + "System.Runtime.InteropServices.ComTypes.IConnectionPointContainer", + "System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints", + "System.Runtime.InteropServices.ComTypes.CONNECTDATA", + "System.Runtime.InteropServices.ComTypes.IEnumConnections", + "System.Runtime.InteropServices.ComTypes.IEnumMoniker", + "System.Runtime.InteropServices.ComTypes.IEnumString", + "System.Runtime.InteropServices.ComTypes.IEnumVARIANT", + "System.Runtime.InteropServices.ComTypes.FILETIME", + "System.Runtime.InteropServices.ComTypes.IMoniker", + "System.Runtime.InteropServices.ComTypes.IPersistFile", + "System.Runtime.InteropServices.ComTypes.IRunningObjectTable", + "System.Runtime.InteropServices.ComTypes.STATSTG", + "System.Runtime.InteropServices.ComTypes.IStream", + "System.Runtime.InteropServices.ComTypes.DESCKIND", + "System.Runtime.InteropServices.ComTypes.BINDPTR", + "System.Runtime.InteropServices.ComTypes.ITypeComp", + "System.Runtime.InteropServices.ComTypes.TYPEKIND", + "System.Runtime.InteropServices.ComTypes.TYPEFLAGS", + "System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS", + "System.Runtime.InteropServices.ComTypes.TYPEATTR", + "System.Runtime.InteropServices.ComTypes.FUNCDESC", + "System.Runtime.InteropServices.ComTypes.IDLFLAG", + "System.Runtime.InteropServices.ComTypes.IDLDESC", + "System.Runtime.InteropServices.ComTypes.PARAMFLAG", + "System.Runtime.InteropServices.ComTypes.PARAMDESC", + "System.Runtime.InteropServices.ComTypes.TYPEDESC", + "System.Runtime.InteropServices.ComTypes.ELEMDESC", + "System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION", + "System.Runtime.InteropServices.ComTypes.VARKIND", + "System.Runtime.InteropServices.ComTypes.VARDESC", + "System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION", + "System.Runtime.InteropServices.ComTypes.DISPPARAMS", + "System.Runtime.InteropServices.ComTypes.EXCEPINFO", + "System.Runtime.InteropServices.ComTypes.FUNCKIND", + "System.Runtime.InteropServices.ComTypes.INVOKEKIND", + "System.Runtime.InteropServices.ComTypes.CALLCONV", + "System.Runtime.InteropServices.ComTypes.FUNCFLAGS", + "System.Runtime.InteropServices.ComTypes.VARFLAGS", + "System.Runtime.InteropServices.ComTypes.ITypeInfo", + "System.Runtime.InteropServices.ComTypes.ITypeInfo2", + "System.Runtime.InteropServices.ComTypes.SYSKIND", + "System.Runtime.InteropServices.ComTypes.LIBFLAGS", + "System.Runtime.InteropServices.ComTypes.TYPELIBATTR", + "System.Runtime.InteropServices.ComTypes.ITypeLib", + "System.Runtime.InteropServices.ComTypes.ITypeLib2", + "System.Runtime.ExceptionServices.InternalCalls, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.ExceptionServices.ExceptionDispatchInfo", + "System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs", + "System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute", + "System.Runtime.CompilerServices.CastHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.ICastableHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.RuntimeHelpers", + "System.Runtime.CompilerServices.RuntimeHelpers+TryCode", + "System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode", + "System.Runtime.CompilerServices.RawData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.RawArrayData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.MethodTable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.MethodTableAuxiliaryData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.TypeHandle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.PortableTailCallFrame, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.TailCallTls, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.AccessedThroughPropertyAttribute", + "System.Runtime.CompilerServices.AsyncIteratorMethodBuilder", + "System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute", + "System.Runtime.CompilerServices.AsyncMethodBuilderAttribute", + "System.Runtime.CompilerServices.AsyncMethodBuilderCore, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.AsyncMethodBuilderCore+ContinuationWrapper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.AsyncStateMachineAttribute", + "System.Runtime.CompilerServices.AsyncTaskMethodBuilder", + "System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult]", + "System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+DebugFinalizableAsyncStateMachineBox`1[TResult,TStateMachine]", + "System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+AsyncStateMachineBox`1[TResult,TStateMachine]", + "System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder", + "System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult]", + "System.Runtime.CompilerServices.AsyncVoidMethodBuilder", + "System.Runtime.CompilerServices.CastResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.CastCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.CastCache+CastCacheEntry, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.CallerArgumentExpressionAttribute", + "System.Runtime.CompilerServices.CallerFilePathAttribute", + "System.Runtime.CompilerServices.CallerLineNumberAttribute", + "System.Runtime.CompilerServices.CallerMemberNameAttribute", + "System.Runtime.CompilerServices.CallConvCdecl", + "System.Runtime.CompilerServices.CallConvFastcall", + "System.Runtime.CompilerServices.CallConvStdcall", + "System.Runtime.CompilerServices.CallConvSwift", + "System.Runtime.CompilerServices.CallConvSuppressGCTransition", + "System.Runtime.CompilerServices.CallConvThiscall", + "System.Runtime.CompilerServices.CallConvMemberFunction", + "System.Runtime.CompilerServices.CollectionBuilderAttribute", + "System.Runtime.CompilerServices.CompExactlyDependsOnAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.CompilationRelaxations", + "System.Runtime.CompilerServices.CompilationRelaxationsAttribute", + "System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute", + "System.Runtime.CompilerServices.CompilerGeneratedAttribute", + "System.Runtime.CompilerServices.CompilerGlobalScopeAttribute", + "System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue]", + "System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue]", + "System.Runtime.CompilerServices.ConditionalWeakTable`2+Enumerator[TKey,TValue]", + "System.Runtime.CompilerServices.ConditionalWeakTable`2+Entry[TKey,TValue]", + "System.Runtime.CompilerServices.ConditionalWeakTable`2+Container[TKey,TValue]", + "System.Runtime.CompilerServices.ConditionalWeakTable`2+<>c[TKey,TValue]", + "System.Runtime.CompilerServices.ConfiguredAsyncDisposable", + "System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T]", + "System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T]", + "System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable", + "System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter", + "System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult]", + "System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult]", + "System.Runtime.CompilerServices.ContractHelper", + "System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute", + "System.Runtime.CompilerServices.CustomConstantAttribute", + "System.Runtime.CompilerServices.DateTimeConstantAttribute", + "System.Runtime.CompilerServices.DecimalConstantAttribute", + "System.Runtime.CompilerServices.DefaultDependencyAttribute", + "System.Runtime.CompilerServices.DependencyAttribute", + "System.Runtime.CompilerServices.DisablePrivateReflectionAttribute", + "System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute", + "System.Runtime.CompilerServices.DiscardableAttribute", + "System.Runtime.CompilerServices.EnumeratorCancellationAttribute", + "System.Runtime.CompilerServices.ExtensionAttribute", + "System.Runtime.CompilerServices.FixedAddressValueTypeAttribute", + "System.Runtime.CompilerServices.FixedBufferAttribute", + "System.Runtime.CompilerServices.FormattableStringFactory", + "System.Runtime.CompilerServices.FormattableStringFactory+ConcreteFormattableString, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.IAsyncStateMachine", + "System.Runtime.CompilerServices.IAsyncStateMachineBox, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.ICastable", + "System.Runtime.CompilerServices.IndexerNameAttribute", + "System.Runtime.CompilerServices.INotifyCompletion", + "System.Runtime.CompilerServices.ICriticalNotifyCompletion", + "System.Runtime.CompilerServices.InternalsVisibleToAttribute", + "System.Runtime.CompilerServices.IntrinsicAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.IsByRefLikeAttribute", + "System.Runtime.CompilerServices.InlineArrayAttribute", + "System.Runtime.CompilerServices.IsConst", + "System.Runtime.CompilerServices.IsExternalInit", + "System.Runtime.CompilerServices.IsReadOnlyAttribute", + "System.Runtime.CompilerServices.IsVolatile", + "System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute", + "System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute", + "System.Runtime.CompilerServices.DefaultInterpolatedStringHandler", + "System.Runtime.CompilerServices.IsUnmanagedAttribute", + "System.Runtime.CompilerServices.IteratorStateMachineAttribute", + "System.Runtime.CompilerServices.ITuple", + "System.Runtime.CompilerServices.LoadHint", + "System.Runtime.CompilerServices.MethodCodeType", + "System.Runtime.CompilerServices.MethodImplAttribute", + "System.Runtime.CompilerServices.MethodImplOptions", + "System.Runtime.CompilerServices.ModuleInitializerAttribute", + "System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute", + "System.Runtime.CompilerServices.NullableAttribute", + "System.Runtime.CompilerServices.NullableContextAttribute", + "System.Runtime.CompilerServices.NullablePublicOnlyAttribute", + "System.Runtime.CompilerServices.ReferenceAssemblyAttribute", + "System.Runtime.CompilerServices.ParamCollectionAttribute", + "System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder", + "System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult]", + "System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox[TResult]", + "System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+SyncSuccessSentinelStateMachineBox[TResult]", + "System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox`1[TResult,TStateMachine]", + "System.Runtime.CompilerServices.PreserveBaseOverridesAttribute", + "System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute", + "System.Runtime.CompilerServices.RefSafetyRulesAttribute", + "System.Runtime.CompilerServices.RequiredMemberAttribute", + "System.Runtime.CompilerServices.RequiresLocationAttribute", + "System.Runtime.CompilerServices.RuntimeCompatibilityAttribute", + "System.Runtime.CompilerServices.RuntimeFeature", + "System.Runtime.CompilerServices.RuntimeWrappedException", + "System.Runtime.CompilerServices.ScopedRefAttribute", + "System.Runtime.CompilerServices.SkipLocalsInitAttribute", + "System.Runtime.CompilerServices.SpecialNameAttribute", + "System.Runtime.CompilerServices.StackAllocatedBox`1[T]", + "System.Runtime.CompilerServices.StateMachineAttribute", + "System.Runtime.CompilerServices.StringFreezingAttribute", + "System.Runtime.CompilerServices.StrongBox`1[T]", + "System.Runtime.CompilerServices.IStrongBox", + "System.Runtime.CompilerServices.SuppressIldasmAttribute", + "System.Runtime.CompilerServices.SwitchExpressionException", + "System.Runtime.CompilerServices.TaskAwaiter", + "System.Runtime.CompilerServices.TaskAwaiter+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.TaskAwaiter`1[TResult]", + "System.Runtime.CompilerServices.ITaskAwaiter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.IConfiguredTaskAwaiter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.ConfiguredTaskAwaitable", + "System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter", + "System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult]", + "System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult]", + "System.Runtime.CompilerServices.TupleElementNamesAttribute", + "System.Runtime.CompilerServices.TypeForwardedFromAttribute", + "System.Runtime.CompilerServices.TypeForwardedToAttribute", + "System.Runtime.CompilerServices.Unsafe", + "System.Runtime.CompilerServices.UnsafeAccessorKind", + "System.Runtime.CompilerServices.UnsafeAccessorAttribute", + "System.Runtime.CompilerServices.UnsafeValueTypeAttribute", + "System.Runtime.CompilerServices.ValueTaskAwaiter", + "System.Runtime.CompilerServices.ValueTaskAwaiter+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult]", + "System.Runtime.CompilerServices.IStateMachineBoxAwareAwaiter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.YieldAwaitable", + "System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter", + "System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.StringHandleOnStack, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.ObjectHandleOnStack, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.StackCrawlMarkHandle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.QCallModule, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.QCallAssembly, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Runtime.CompilerServices.QCallTypeHandle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Assembly", + "System.Reflection.Assembly+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.NativeAssemblyNameParts, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.AssemblyName", + "System.Reflection.Associates, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Associates+Attributes, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.ConstructorInfo", + "System.Reflection.ConstructorInvoker", + "System.Reflection.FieldInfo", + "System.Reflection.LoaderAllocatorScout, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.LoaderAllocator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MdConstant, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MdFieldInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MdSigCallingConvention, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.PInvokeAttributes, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MethodSemanticsAttributes, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MetadataTokenType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.ConstArray, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MetadataToken, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MetadataEnumResult, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MetadataEnumResult+SmallIntArray, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MetadataImport, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MemberInfo", + "System.Reflection.MethodBase", + "System.Reflection.MethodBase+InvokerStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MethodBase+InvokerArgFlags, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MethodBase+ArgumentData`1[T]", + "System.Reflection.MethodBase+StackAllocatedArguments, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MethodBase+StackAllocatedArgumentsWithCopyBack, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MethodBase+StackAllocatedByRefs, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MethodBaseInvoker, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.MethodInvoker", + "System.Reflection.ModifiedType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.ModifiedType+TypeSignature, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RtFieldInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeAssembly, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeAssembly+ManifestResourceStream, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeConstructorInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeCustomAttributeData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CustomAttributeTypedArgument", + "System.Reflection.CustomAttributeRecord, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CustomAttributeEncoding, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.PrimitiveValue, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CustomAttributeEncodedArgument, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CustomAttributeEncodedArgument+CustomAttributeDataParser, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CustomAttributeCtorParameter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CustomAttributeNamedParameter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CustomAttributeType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CustomAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.PseudoCustomAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeEventInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeExceptionHandlingClause, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeFieldInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeLocalVariableInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeMethodBody, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeMethodInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeModule, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimeParameterInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.RuntimePropertyInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.TypeNameResolver, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CerHashtable`2[K,V]", + "System.Reflection.CerHashtable`2+Table[K,V]", + "System.Reflection.AmbiguousMatchException", + "System.Reflection.AssemblyAlgorithmIdAttribute", + "System.Reflection.AssemblyCompanyAttribute", + "System.Reflection.AssemblyConfigurationAttribute", + "System.Reflection.AssemblyContentType", + "System.Reflection.AssemblyCopyrightAttribute", + "System.Reflection.AssemblyCultureAttribute", + "System.Reflection.AssemblyDefaultAliasAttribute", + "System.Reflection.AssemblyDelaySignAttribute", + "System.Reflection.AssemblyDescriptionAttribute", + "System.Reflection.AssemblyFileVersionAttribute", + "System.Reflection.AssemblyFlagsAttribute", + "System.Reflection.AssemblyInformationalVersionAttribute", + "System.Reflection.AssemblyKeyFileAttribute", + "System.Reflection.AssemblyKeyNameAttribute", + "System.Reflection.AssemblyMetadataAttribute", + "System.Reflection.AssemblyNameHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.AssemblyNameFlags", + "System.Reflection.AssemblyNameProxy", + "System.Reflection.AssemblyProductAttribute", + "System.Reflection.AssemblySignatureKeyAttribute", + "System.Reflection.AssemblyTitleAttribute", + "System.Reflection.AssemblyTrademarkAttribute", + "System.Reflection.AssemblyVersionAttribute", + "System.Reflection.Binder", + "System.Reflection.BindingFlags", + "System.Reflection.CallingConventions", + "System.Reflection.CorElementType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.CustomAttributeData", + "System.Reflection.CustomAttributeExtensions", + "System.Reflection.CustomAttributeFormatException", + "System.Reflection.CustomAttributeNamedArgument", + "System.Reflection.DefaultMemberAttribute", + "System.Reflection.EventAttributes", + "System.Reflection.EventInfo", + "System.Reflection.ExceptionHandlingClause", + "System.Reflection.ExceptionHandlingClauseOptions", + "System.Reflection.FieldAccessor, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.FieldAccessor+FieldAccessorType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.FieldAttributes", + "System.Reflection.GenericParameterAttributes", + "System.Reflection.ICustomAttributeProvider", + "System.Reflection.ImageFileMachine", + "System.Reflection.InterfaceMapping", + "System.Reflection.IntrospectionExtensions", + "System.Reflection.InvalidFilterCriteriaException", + "System.Reflection.InvocationFlags, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.InvokerEmitUtil, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.InvokerEmitUtil+InvokeFunc_RefArgs, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.InvokerEmitUtil+InvokeFunc_ObjSpanArgs, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.InvokerEmitUtil+InvokeFunc_Obj4Args, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.InvokerEmitUtil+ThrowHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.InvokerEmitUtil+Methods, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.InvokeUtils, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.IReflect", + "System.Reflection.IReflectableType", + "System.Reflection.LocalVariableInfo", + "System.Reflection.ManifestResourceInfo", + "System.Reflection.MemberFilter", + "System.Reflection.MemberTypes", + "System.Reflection.MethodAttributes", + "System.Reflection.MethodBody", + "System.Reflection.MethodImplAttributes", + "System.Reflection.MethodInfo", + "System.Reflection.MethodInvokerCommon, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Missing", + "System.Reflection.ModifiedHasElementType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.ModifiedFunctionPointerType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.ModifiedGenericType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Module", + "System.Reflection.Module+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.ModuleResolveEventHandler", + "System.Reflection.NullabilityInfo", + "System.Reflection.NullabilityState", + "System.Reflection.NullabilityInfoContext", + "System.Reflection.NullabilityInfoContext+NotAnnotatedStatus, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.NullabilityInfoContext+NullableAttributeStateParser, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.ObfuscateAssemblyAttribute", + "System.Reflection.ObfuscationAttribute", + "System.Reflection.ParameterAttributes", + "System.Reflection.ParameterInfo", + "System.Reflection.ParameterModifier", + "System.Reflection.Pointer", + "System.Reflection.PortableExecutableKinds", + "System.Reflection.ProcessorArchitecture", + "System.Reflection.PropertyAttributes", + "System.Reflection.PropertyInfo", + "System.Reflection.ReflectionContext", + "System.Reflection.ReflectionTypeLoadException", + "System.Reflection.ResourceAttributes", + "System.Reflection.ResourceLocation", + "System.Reflection.RuntimeReflectionExtensions", + "System.Reflection.SignatureArrayType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.SignatureByRefType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.SignatureCallingConvention, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.SignatureConstructedGenericType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.SignatureGenericMethodParameterType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.SignatureGenericParameterType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.SignatureHasElementType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.SignaturePointerType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.SignatureType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.SignatureTypeExtensions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.StrongNameKeyPair", + "System.Reflection.TargetException", + "System.Reflection.TargetInvocationException", + "System.Reflection.TargetParameterCountException", + "System.Reflection.TypeAttributes", + "System.Reflection.TypeDelegator", + "System.Reflection.TypeFilter", + "System.Reflection.TypeInfo", + "System.Reflection.TypeInfo+d__10, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.TypeInfo+d__22, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.AssemblyNameParser, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.AssemblyNameParser+AssemblyNameParts, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.AssemblyNameParser+Token, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.AssemblyNameParser+AttributeKind, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.AssemblyNameFormatter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Metadata.AssemblyExtensions", + "System.Reflection.Metadata.MetadataUpdater", + "System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Metadata.TypeNameParseOptions, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Metadata.MetadataUpdateHandlerAttribute", + "System.Reflection.Metadata.AssemblyNameInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Metadata.TypeName, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Metadata.TypeNameHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Metadata.TypeNameParser, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Metadata.TypeNameParserHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.CustomAttributeBuilder", + "System.Reflection.Emit.DynamicILGenerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.DynamicResolver, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.DynamicResolver+DestroyScout, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.DynamicResolver+SecurityControlFlags, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.DynamicILInfo", + "System.Reflection.Emit.DynamicScope, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.GenericMethodInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.GenericFieldInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.VarArgMethod, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.DynamicMethod", + "System.Reflection.Emit.AssemblyBuilder", + "System.Reflection.Emit.AssemblyBuilder+ForceAllowDynamicCodeScope, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeAssemblyBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeConstructorBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeEnumBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeEventBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeFieldBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeGenericTypeParameterBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeILGenerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.__LabelInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.__FixupData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.__ExceptionInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.ScopeAction, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.ScopeTree, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeLocalBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeMethodBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.LocalSymInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.ExceptionHandler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeModuleBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeParameterBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimePropertyBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeTypeBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.RuntimeTypeBuilder+CustAttr, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.SignatureHelper", + "System.Reflection.Emit.SymbolMethod, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.AssemblyBuilderAccess", + "System.Reflection.Emit.ConstructorBuilder", + "System.Reflection.Emit.ConstructorOnTypeBuilderInstantiation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.EmptyCAHolder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.EnumBuilder", + "System.Reflection.Emit.EventBuilder", + "System.Reflection.Emit.FieldBuilder", + "System.Reflection.Emit.FieldOnTypeBuilderInstantiation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.FlowControl", + "System.Reflection.Emit.GenericTypeParameterBuilder", + "System.Reflection.Emit.ILGenerator", + "System.Reflection.Emit.Label", + "System.Reflection.Emit.LocalBuilder", + "System.Reflection.Emit.MethodBuilder", + "System.Reflection.Emit.MethodBuilderInstantiation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.MethodOnTypeBuilderInstantiation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.ModuleBuilder", + "System.Reflection.Emit.OpCode", + "System.Reflection.Emit.OpCodeValues, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.OpCodes", + "System.Reflection.Emit.OpCodeType", + "System.Reflection.Emit.OperandType", + "System.Reflection.Emit.PackingSize", + "System.Reflection.Emit.ParameterBuilder", + "System.Reflection.Emit.PEFileKinds", + "System.Reflection.Emit.PropertyBuilder", + "System.Reflection.Emit.StackBehaviour", + "System.Reflection.Emit.TypeKind, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.SymbolType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.TypeBuilder", + "System.Reflection.Emit.TypeBuilderInstantiation, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.TypeNameBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Reflection.Emit.TypeNameBuilder+Format, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.FileLoadException", + "System.IO.FileNotFoundException", + "System.IO.BinaryReader", + "System.IO.BinaryWriter", + "System.IO.BufferedStream", + "System.IO.BufferedStream+d__68, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.BufferedStream+d__33, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.BufferedStream+d__36, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.BufferedStream+d__40, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.BufferedStream+d__48, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.BufferedStream+d__59, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Directory", + "System.IO.DirectoryInfo", + "System.IO.DirectoryNotFoundException", + "System.IO.EncodingCache, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.EnumerationOptions", + "System.IO.EndOfStreamException", + "System.IO.File", + "System.IO.File+<g__Core|67_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.File+<g__Core|103_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.File+d__100, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.File+d__101, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.File+d__106, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.File+d__94, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.File+d__110, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.File+d__124, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.File+d__122, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.FileAccess", + "System.IO.FileAttributes", + "System.IO.FileInfo", + "System.IO.FileMode", + "System.IO.FileOptions", + "System.IO.FileShare", + "System.IO.FileStream", + "System.IO.FileStream+d__57, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.FileStreamOptions", + "System.IO.FileSystem, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.FileSystem+<>c__DisplayClass50_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.FileSystemInfo", + "System.IO.HandleInheritability", + "System.IO.InvalidDataException", + "System.IO.IOException", + "System.IO.Iterator`1[TSource]", + "System.IO.MatchCasing", + "System.IO.MatchType", + "System.IO.MemoryStream", + "System.IO.Path", + "System.IO.Path+JoinInternalState, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Path+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.PathTooLongException", + "System.IO.PinnedBufferMemoryStream, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.RandomAccess", + "System.IO.RandomAccess+CallbackResetEvent, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.RandomAccess+IMemoryHandler`1[T]", + "System.IO.RandomAccess+MemoryHandler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.RandomAccess+ReadOnlyMemoryHandler, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.RandomAccess+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.RandomAccess+d__31, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.RandomAccess+d__29, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.RandomAccess+d__35, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.RandomAccess+d__33, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.ReadLinesIterator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.SearchOption", + "System.IO.SearchTarget, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.SeekOrigin", + "System.IO.Stream", + "System.IO.Stream+ReadWriteParameters, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Stream+ReadWriteTask, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Stream+ReadWriteTask+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Stream+NullStream, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Stream+SyncStream, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Stream+<g__Core|27_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Stream+<g__FinishReadAsync|42_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Stream+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Stream+d__61, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Stream+d__46, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamReader", + "System.IO.StreamReader+NullStreamReader, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamReader+d__69, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamReader+d__72, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamReader+d__63, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamReader+d__66, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamWriter", + "System.IO.StreamWriter+NullStreamWriter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamWriter+<g__Core|79_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamWriter+d__37, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamWriter+d__67, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StreamWriter+d__71, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.StringReader", + "System.IO.StringWriter", + "System.IO.TextReader", + "System.IO.TextReader+SyncTextReader, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextReader+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextReader+d__23, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextReader+d__17, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter", + "System.IO.TextWriter+NullTextWriter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+SyncTextWriter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__10, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__12, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__13, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__55, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__56, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__57, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__58, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__59, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__60, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__61, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__62, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__63, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__64, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+BroadcastingTextWriter+d__65, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+<g__WriteAsyncCore|62_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+<g__WriteLineAsyncCore|68_0>d, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.TextWriter+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.UnixFileMode", + "System.IO.UnmanagedMemoryAccessor", + "System.IO.UnmanagedMemoryStream", + "System.IO.UnmanagedMemoryStreamWrapper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.PathInternal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.DisableMediaInsertionPrompt, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.DriveInfoInternal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.PathHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Win32Marshal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.BufferedFileStreamStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.BufferedFileStreamStrategy+d__57, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.BufferedFileStreamStrategy+d__27, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.BufferedFileStreamStrategy+d__55, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.BufferedFileStreamStrategy+d__37, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.BufferedFileStreamStrategy+d__36, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.BufferedFileStreamStrategy+d__48, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.BufferedFileStreamStrategy+d__47, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.DerivedFileStreamStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.FileStreamHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.FileStreamHelpers+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.FileStreamHelpers+d__21, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.FileStreamStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.OSFileStreamStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.AsyncWindowsFileStreamStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.AsyncWindowsFileStreamStrategy+d__5, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Strategies.SyncWindowsFileStreamStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Enumeration.FileSystemEntry", + "System.IO.Enumeration.FileSystemEnumerator`1[TResult]", + "System.IO.Enumeration.FileSystemEnumerable`1[TResult]", + "System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult]", + "System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult]", + "System.IO.Enumeration.FileSystemEnumerable`1+DelegateEnumerator[TResult]", + "System.IO.Enumeration.FileSystemEnumerableFactory, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Enumeration.FileSystemEnumerableFactory+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass2_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass3_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass4_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass5_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass6_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass7_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.IO.Enumeration.FileSystemName", + "System.Diagnostics.Debugger", + "System.Diagnostics.Debugger+CrossThreadDependencyNotification, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.EditAndContinueHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.ICustomDebuggerNotification, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.StackFrame", + "System.Diagnostics.StackFrameHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.StackFrameHelper+GetSourceLineInfoDelegate, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.StackTrace", + "System.Diagnostics.StackTrace+TraceFormat, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.ConditionalAttribute", + "System.Diagnostics.Debug", + "System.Diagnostics.Debug+AssertInterpolatedStringHandler", + "System.Diagnostics.Debug+WriteIfInterpolatedStringHandler", + "System.Diagnostics.DebuggableAttribute", + "System.Diagnostics.DebuggableAttribute+DebuggingModes", + "System.Diagnostics.DebuggerBrowsableState", + "System.Diagnostics.DebuggerBrowsableAttribute", + "System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute", + "System.Diagnostics.DebuggerDisplayAttribute", + "System.Diagnostics.DebuggerHiddenAttribute", + "System.Diagnostics.DebuggerNonUserCodeAttribute", + "System.Diagnostics.DebuggerStepperBoundaryAttribute", + "System.Diagnostics.DebuggerStepThroughAttribute", + "System.Diagnostics.DebuggerTypeProxyAttribute", + "System.Diagnostics.DebuggerVisualizerAttribute", + "System.Diagnostics.DebugProvider", + "System.Diagnostics.DebugProvider+DebugAssertException, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.DiagnosticMethodInfo", + "System.Diagnostics.StackFrameExtensions", + "System.Diagnostics.StackTraceHiddenAttribute", + "System.Diagnostics.Stopwatch", + "System.Diagnostics.UnreachableException", + "System.Diagnostics.Tracing.ActivityTracker, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.ActivityTracker+ActivityInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.DiagnosticCounter", + "System.Diagnostics.Tracing.CounterGroup, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.CounterGroup+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.CounterPayload, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.CounterPayload+d__51, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.IncrementingCounterPayload, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.IncrementingCounterPayload+d__39, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventActivityOptions", + "System.Diagnostics.Tracing.EventCounter", + "System.Diagnostics.Tracing.CounterPayloadType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventDescriptor, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeEventInstanceData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeSessionInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeProviderConfiguration, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeSerializationFormat, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeInternal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeInternal+EventPipeProviderConfigurationNative, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeEventDispatcher, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeEventDispatcher+EventListenerSubscription, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeEventDispatcher+<>c__DisplayClass12_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeEventProvider, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipeMetadataGenerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventParameterInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPipePayloadDecoder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventProviderType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.ControllerCommand, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventProvider, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventProvider+EventData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventProvider+WriteEventErrorCode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EtwEventProvider, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EtwEventProvider+SessionInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EtwEventProvider+SessionInfoCallback, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EtwEventProvider+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventProviderImpl, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventSource", + "System.Diagnostics.Tracing.EventSource+EventSourcePrimitive", + "System.Diagnostics.Tracing.EventSource+EventData, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventSource+OverrideEventProvider, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventSource+EventMetadata, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventSource+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventSourceInitHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventSourceSettings", + "System.Diagnostics.Tracing.EventListener", + "System.Diagnostics.Tracing.EventListener+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventCommandEventArgs", + "System.Diagnostics.Tracing.EventSourceCreatedEventArgs", + "System.Diagnostics.Tracing.EventWrittenEventArgs", + "System.Diagnostics.Tracing.EventWrittenEventArgs+MoreEventInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventSourceAttribute", + "System.Diagnostics.Tracing.EventAttribute", + "System.Diagnostics.Tracing.NonEventAttribute", + "System.Diagnostics.Tracing.EventChannelAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventChannelType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventCommand", + "System.Diagnostics.Tracing.SessionMask, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventDispatcher, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventManifestOptions", + "System.Diagnostics.Tracing.ManifestBuilder, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.ManifestBuilder+ChannelInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.ManifestBuilder+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.ManifestEnvelope, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.ManifestEnvelope+ManifestFormats, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventSourceException", + "System.Diagnostics.Tracing.FrameworkEventSource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.FrameworkEventSource+Keywords, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.FrameworkEventSource+Tasks, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.IncrementingEventCounter", + "System.Diagnostics.Tracing.IncrementingEventCounterPayloadType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.IncrementingPollingCounter", + "System.Diagnostics.Tracing.IncrementingPollingCounterPayloadType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NativeRuntimeEventSource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NativeRuntimeEventSource+Messages, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NativeRuntimeEventSource+Tasks, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NativeRuntimeEventSource+Opcodes, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NativeRuntimeEventSource+ContentionFlagsMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NativeRuntimeEventSource+ThreadAdjustmentReasonMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NativeRuntimeEventSource+WaitHandleWaitSourceMap, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NativeRuntimeEventSource+Keywords, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.PollingCounter", + "System.Diagnostics.Tracing.PollingPayloadType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.RuntimeEventSource, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.RuntimeEventSource+Keywords, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.RuntimeEventSource+EventId, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.RuntimeEventSource+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.RuntimeEventSource+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventLevel", + "System.Diagnostics.Tracing.EventTask", + "System.Diagnostics.Tracing.EventOpcode", + "System.Diagnostics.Tracing.EventChannel", + "System.Diagnostics.Tracing.EventKeywords", + "System.Diagnostics.Tracing.ArrayTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.ConcurrentSet`2[KeyType,ItemType]", + "System.Diagnostics.Tracing.ConcurrentSetItem`2[KeyType,ItemType]", + "System.Diagnostics.Tracing.DataCollector, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EmptyStruct, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EnumerableTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventDataAttribute", + "System.Diagnostics.Tracing.EventFieldTags", + "System.Diagnostics.Tracing.EventFieldAttribute", + "System.Diagnostics.Tracing.EventFieldFormat", + "System.Diagnostics.Tracing.EventIgnoreAttribute", + "System.Diagnostics.Tracing.EventPayload, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventPayload+d__17, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventSourceOptions", + "System.Diagnostics.Tracing.FieldMetadata, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.InvokeTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NameInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.PropertyAnalysis, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.PropertyValue, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.PropertyValue+Scalar, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.PropertyValue+TypeHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_0[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_1[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_10[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_11[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_12[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_13[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_14[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_15[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_16[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_17[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_18[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_19[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_2[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_20[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_3[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_4[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_5[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_6[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_7[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_8[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_9[TContainer]", + "System.Diagnostics.Tracing.PropertyValue+<>c, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.PropertyValue+<>c__DisplayClass33_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.SimpleEventTypes`1[T]", + "System.Diagnostics.Tracing.NullTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.ScalarTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.ScalarArrayTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.StringTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.DateTimeTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.DateTimeOffsetTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.TimeSpanTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.DecimalTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.NullableTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.Statics, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.Statics+<>O, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.TraceLoggingDataCollector, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.TraceLoggingDataType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.TraceLoggingEventHandleTable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.EventTags", + "System.Diagnostics.Tracing.TraceLoggingEventTypes, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.TraceLoggingMetadataCollector, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.TraceLoggingMetadataCollector+Impl, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.TraceLoggingTypeInfo, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.TypeAnalysis, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.Tracing.RuntimeEventSourceHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Diagnostics.SymbolStore.ISymbolDocumentWriter", + "System.Diagnostics.Contracts.ContractException", + "System.Diagnostics.Contracts.ContractFailedEventArgs", + "System.Diagnostics.Contracts.PureAttribute", + "System.Diagnostics.Contracts.ContractClassAttribute", + "System.Diagnostics.Contracts.ContractClassForAttribute", + "System.Diagnostics.Contracts.ContractInvariantMethodAttribute", + "System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute", + "System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute", + "System.Diagnostics.Contracts.ContractVerificationAttribute", + "System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute", + "System.Diagnostics.Contracts.ContractArgumentValidatorAttribute", + "System.Diagnostics.Contracts.ContractAbbreviatorAttribute", + "System.Diagnostics.Contracts.ContractOptionAttribute", + "System.Diagnostics.Contracts.Contract", + "System.Diagnostics.Contracts.ContractFailureKind", + "System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute", + "System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes", + "System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute", + "System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute", + "System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute", + "System.Diagnostics.CodeAnalysis.ExperimentalAttribute", + "System.Diagnostics.CodeAnalysis.FeatureGuardAttribute", + "System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute", + "System.Diagnostics.CodeAnalysis.AllowNullAttribute", + "System.Diagnostics.CodeAnalysis.DisallowNullAttribute", + "System.Diagnostics.CodeAnalysis.MaybeNullAttribute", + "System.Diagnostics.CodeAnalysis.NotNullAttribute", + "System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute", + "System.Diagnostics.CodeAnalysis.NotNullWhenAttribute", + "System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute", + "System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute", + "System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute", + "System.Diagnostics.CodeAnalysis.MemberNotNullAttribute", + "System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute", + "System.Diagnostics.CodeAnalysis.UnscopedRefAttribute", + "System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute", + "System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute", + "System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute", + "System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute", + "System.Diagnostics.CodeAnalysis.StringSyntaxAttribute", + "System.Diagnostics.CodeAnalysis.SuppressMessageAttribute", + "System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute", + "System.Collections.EmptyReadOnlyDictionaryInternal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.EmptyReadOnlyDictionaryInternal+NodeEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList", + "System.Collections.ArrayList+IListWrapper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+IListWrapper+IListWrapperEnumWrapper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+SyncArrayList, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+SyncIList, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+FixedSizeList, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+FixedSizeArrayList, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+ReadOnlyList, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+ReadOnlyArrayList, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+ArrayListEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+Range, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+ArrayListEnumeratorSimple, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ArrayList+ArrayListDebugView, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Comparer", + "System.Collections.CompatibleComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.DictionaryEntry", + "System.Collections.HashHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "hashtable", + "System.Collections.Hashtable+Bucket, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Hashtable+KeyCollection, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Hashtable+ValueCollection, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Hashtable+SyncHashtable, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Hashtable+HashtableEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Hashtable+HashtableDebugView, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ICollection", + "System.Collections.IComparer", + "System.Collections.IDictionary", + "System.Collections.IDictionaryEnumerator", + "System.Collections.IEnumerable", + "System.Collections.IEnumerator", + "System.Collections.IEqualityComparer", + "System.Collections.IHashCodeProvider", + "System.Collections.IList", + "System.Collections.IStructuralComparable", + "System.Collections.IStructuralEquatable", + "System.Collections.ListDictionaryInternal", + "System.Collections.ListDictionaryInternal+NodeEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ListDictionaryInternal+NodeKeyValueCollection, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ListDictionaryInternal+NodeKeyValueCollection+NodeKeyValueEnumerator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ListDictionaryInternal+DictionaryNode, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ListDictionaryInternal+ListDictionaryInternalDebugView, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ObjectModel.Collection`1[T]", + "System.Collections.ObjectModel.CollectionHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.ObjectModel.ReadOnlyCollection`1[T]", + "System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue]", + "System.Collections.ObjectModel.ReadOnlyDictionary`2+DictionaryEnumerator[TKey,TValue]", + "System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue]", + "System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue]", + "System.Collections.Concurrent.ConcurrentQueue`1[T]", + "System.Collections.Concurrent.ConcurrentQueue`1+d__26[T]", + "System.Collections.Concurrent.ConcurrentQueueSegment`1[T]", + "System.Collections.Concurrent.ConcurrentQueueSegment`1+Slot[T]", + "System.Collections.Concurrent.PaddedHeadAndTail, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Concurrent.IProducerConsumerCollection`1[T]", + "System.Collections.Concurrent.IProducerConsumerCollectionDebugView`1[T]", + "System.Collections.Concurrent.IProducerConsumerQueue`1[T]", + "System.Collections.Concurrent.MultiProducerMultiConsumerQueue`1[T]", + "System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1[T]", + "System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+Segment[T]", + "System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SegmentState[T]", + "System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SingleProducerSingleConsumerQueue_DebugView[T]", + "System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+d__15[T]", + "System.Collections.Generic.IArraySortHelper`1[TKey]", + "System.Collections.Generic.ArraySortHelper`1[T]", + "System.Collections.Generic.GenericArraySortHelper`1[T]", + "System.Collections.Generic.IArraySortHelper`2[TKey,TValue]", + "System.Collections.Generic.ArraySortHelper`2[TKey,TValue]", + "System.Collections.Generic.GenericArraySortHelper`2[TKey,TValue]", + "System.Collections.Generic.Comparer`1[T]", + "System.Collections.Generic.EnumComparer`1[T]", + "System.Collections.Generic.ComparerHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.EqualityComparer`1[T]", + "System.Collections.Generic.EqualityComparer`1+<>c[T]", + "System.Collections.Generic.GenericEqualityComparer`1[T]", + "System.Collections.Generic.NullableEqualityComparer`1[T]", + "System.Collections.Generic.ObjectEqualityComparer`1[T]", + "System.Collections.Generic.ByteEqualityComparer", + "System.Collections.Generic.EnumEqualityComparer`1[T]", + "System.Collections.Generic.ArrayBuilder`1[T]", + "System.Collections.Generic.SortUtils, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.CollectionExtensions", + "System.Collections.Generic.ComparisonComparer`1[T]", + "System.Collections.Generic.GenericComparer`1[T]", + "System.Collections.Generic.NullableComparer`1[T]", + "System.Collections.Generic.ObjectComparer`1[T]", + "System.Collections.Generic.Dictionary`2[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey]", + "System.Collections.Generic.Dictionary`2+CollectionsMarshalHelper[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+Entry[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue]", + "System.Collections.Generic.DebugViewDictionaryItem`2[TKey,TValue]", + "System.Collections.Generic.DelegateEqualityComparer`1[T]", + "System.Collections.Generic.StringEqualityComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.HashSet`1[T]", + "System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate]", + "System.Collections.Generic.HashSet`1+Entry[T]", + "System.Collections.Generic.HashSet`1+Enumerator[T]", + "System.Collections.Generic.HashSetEqualityComparer`1[T]", + "System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T]", + "System.Collections.Generic.IAsyncEnumerable`1[T]", + "System.Collections.Generic.IAsyncEnumerator`1[T]", + "System.Collections.Generic.ICollection`1[T]", + "System.Collections.Generic.ICollectionDebugView`1[T]", + "System.Collections.Generic.IComparer`1[T]", + "System.Collections.Generic.IDictionary`2[TKey,TValue]", + "System.Collections.Generic.IDictionaryDebugView`2[TKey,TValue]", + "System.Collections.Generic.DictionaryKeyCollectionDebugView`2[TKey,TValue]", + "System.Collections.Generic.DictionaryValueCollectionDebugView`2[TKey,TValue]", + "System.Collections.Generic.IEnumerable`1[T]", + "System.Collections.Generic.IEnumerator`1[T]", + "System.Collections.Generic.IEqualityComparer`1[T]", + "System.Collections.Generic.IInternalStringEqualityComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.IList`1[T]", + "System.Collections.Generic.InsertionBehavior, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.IReadOnlyCollection`1[T]", + "System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue]", + "System.Collections.Generic.IReadOnlyList`1[T]", + "System.Collections.Generic.ISet`1[T]", + "System.Collections.Generic.IReadOnlySet`1[T]", + "System.Collections.Generic.KeyNotFoundException", + "System.Collections.Generic.KeyValuePair", + "System.Collections.Generic.KeyValuePair`2[TKey,TValue]", + "System.Collections.Generic.List`1[T]", + "System.Collections.Generic.List`1+Enumerator[T]", + "System.Collections.Generic.Queue`1[T]", + "System.Collections.Generic.Queue`1+Enumerator[T]", + "System.Collections.Generic.QueueDebugView`1[T]", + "System.Collections.Generic.RandomizedStringEqualityComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.RandomizedStringEqualityComparer+MarvinSeed, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.ReferenceEqualityComparer", + "System.Collections.Generic.NonRandomizedStringEqualityComparer", + "System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.ValueListBuilder`1[T]", + "System.Collections.Generic.EnumerableHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "System.Collections.Generic.BitHelper, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Console", + "Internal.Console+Error", + "Internal.PaddingFor32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.PaddedReference, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Win32.RegistryKey, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Win32.Registry, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Win32.SafeHandles.SafeRegistryHandle, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.ComActivationContextInternal, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.ComponentActivator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.ComponentActivator+ComponentEntryPoint, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.ComponentActivator+<>c__DisplayClass15_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.LICINFO, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.IClassFactory, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.IClassFactory2, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.ComActivationContext, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.ComActivator, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.ComActivator+BasicClassFactory, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.ComActivator+LicenseClassFactory, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.ComActivator+<>c__DisplayClass16_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.LicenseInteropProxy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.InMemoryAssemblyLoader, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.InMemoryAssemblyLoader+<>c__DisplayClass7_0, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.InteropServices.IsolatedComponentLoadContext, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Internal.Runtime.CompilerHelpers.ThrowHelpers, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + ", System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=3, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=5, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=6, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=12, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=16, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=16_Align=2, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=16_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=17, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=21, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=24_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=28_Align=2, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=28_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=32, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=32_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=32_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=33, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=34, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=36_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=38, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=40, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=40_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=48_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=51, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=52_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=64, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=64_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=64_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=65, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=66, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=70, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=72, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=76, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=76_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=82, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=84_Align=2, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=88_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=98, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=128, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=128_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=152_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=168_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=170, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=172_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=174_Align=2, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=177, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=184_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=201, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=233, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=256, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=256_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=288_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=466, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=512, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=512_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=648_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=696_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=936_Align=4, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=1208_Align=2, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=1316, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=1416, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=1440, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=1472_Align=2, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=1728, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=2176, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=2224, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=2530, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=2593, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=3200, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=3389, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=5056, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=6256, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=6592, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=10416_Align=8, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=12144, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=15552, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "+__StaticArrayInitTypeSize=18128, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "<>y__InlineArray2`1[T]", + "<>y__InlineArray3`1[T]", + "<>y__InlineArray4`1[T]" + ], + "IsCollectible": false, + "ManifestModule": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ModuleVersionId": "6322a2c9-49e1-408c-8faf-9b86b82127b8", + "MetadataToken": 1, + "ScopeName": "System.Private.CoreLib.dll", + "Name": "System.Private.CoreLib.dll", + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)] [System.Runtime.CompilerServices.NullablePublicOnlyAttribute((Boolean)False)] [System.Runtime.CompilerServices.SkipLocalsInitAttribute()]" + }, + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": [ + "Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid", + "Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid", + "Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid", + "Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid", + "Microsoft.Win32.SafeHandles.SafeFileHandle", + "Microsoft.Win32.SafeHandles.SafeWaitHandle", + "System.ArgIterator", + "array", + "System.Attribute", + "System.BadImageFormatException", + "System.Buffer", + "decimal", + "System.Delegate", + "System.Delegate+InvocationListEnumerator`1[TDelegate]", + "System.Enum", + "System.Environment", + "System.Environment+ProcessCpuUsage", + "System.Environment+SpecialFolder", + "System.Environment+SpecialFolderOption", + "System.Exception", + "System.GCCollectionMode", + "System.GCNotificationStatus", + "System.GC", + "System.Math", + "System.MathF", + "System.MulticastDelegate", + "System.Object", + "System.RuntimeArgumentHandle", + "System.RuntimeTypeHandle", + "System.RuntimeMethodHandle", + "System.RuntimeFieldHandle", + "System.ModuleHandle", + "string", + "type", + "System.TypedReference", + "System.TypeLoadException", + "System.ValueType", + "System.AccessViolationException", + "System.Action", + "System.Action`1[T]", + "System.Action`2[T1,T2]", + "System.Action`3[T1,T2,T3]", + "System.Action`4[T1,T2,T3,T4]", + "System.Action`5[T1,T2,T3,T4,T5]", + "System.Action`6[T1,T2,T3,T4,T5,T6]", + "System.Action`7[T1,T2,T3,T4,T5,T6,T7]", + "System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8]", + "System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9]", + "System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10]", + "System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11]", + "System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12]", + "System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13]", + "System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14]", + "System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15]", + "System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16]", + "System.Comparison`1[T]", + "System.Converter`2[TInput,TOutput]", + "System.Predicate`1[T]", + "System.Activator", + "System.AggregateException", + "System.AppContext", + "System.AppDomain", + "System.AppDomainSetup", + "System.AppDomainUnloadedException", + "System.ApplicationException", + "System.ApplicationId", + "System.ArgumentException", + "System.ArgumentNullException", + "System.ArgumentOutOfRangeException", + "System.ArithmeticException", + "System.ArraySegment`1[T]", + "System.ArraySegment`1+Enumerator[T]", + "System.ArrayTypeMismatchException", + "System.AssemblyLoadEventArgs", + "System.AssemblyLoadEventHandler", + "System.AsyncCallback", + "System.AttributeTargets", + "System.AttributeUsageAttribute", + "System.BitConverter", + "bool", + "byte", + "System.CannotUnloadAppDomainException", + "char", + "System.CharEnumerator", + "System.CLSCompliantAttribute", + "System.ContextBoundObject", + "System.ContextMarshalException", + "System.ContextStaticAttribute", + "System.Convert", + "System.Base64FormattingOptions", + "System.DataMisalignedException", + "System.DateOnly", + "datetime", + "System.DateTimeKind", + "System.DateTimeOffset", + "System.DayOfWeek", + "System.DBNull", + "System.DivideByZeroException", + "System.DllNotFoundException", + "double", + "System.DuplicateWaitObjectException", + "System.EntryPointNotFoundException", + "System.EnvironmentVariableTarget", + "System.EventArgs", + "System.EventHandler", + "System.EventHandler`1[TEventArgs]", + "System.ExecutionEngineException", + "System.FieldAccessException", + "System.FlagsAttribute", + "System.FormatException", + "System.FormattableString", + "System.Func`1[TResult]", + "System.Func`2[T,TResult]", + "System.Func`3[T1,T2,TResult]", + "System.Func`4[T1,T2,T3,TResult]", + "System.Func`5[T1,T2,T3,T4,TResult]", + "System.Func`6[T1,T2,T3,T4,T5,TResult]", + "System.Func`7[T1,T2,T3,T4,T5,T6,TResult]", + "System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult]", + "System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult]", + "System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult]", + "System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult]", + "System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult]", + "System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult]", + "System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult]", + "System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult]", + "System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult]", + "System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult]", + "System.GCGenerationInfo", + "System.GCKind", + "System.GCMemoryInfo", + "guid", + "System.Half", + "System.HashCode", + "System.IAsyncDisposable", + "System.IAsyncResult", + "System.ICloneable", + "System.IComparable", + "System.IComparable`1[T]", + "System.IConvertible", + "System.ICustomFormatter", + "System.IDisposable", + "System.IEquatable`1[T]", + "System.IFormatProvider", + "System.IFormattable", + "System.Index", + "System.IndexOutOfRangeException", + "System.InsufficientExecutionStackException", + "System.InsufficientMemoryException", + "short", + "int", + "long", + "System.Int128", + "System.IntPtr", + "System.InvalidCastException", + "System.InvalidOperationException", + "System.InvalidProgramException", + "System.InvalidTimeZoneException", + "System.IObservable`1[T]", + "System.IObserver`1[T]", + "System.IProgress`1[T]", + "System.ISpanFormattable", + "System.IUtf8SpanFormattable", + "System.IUtf8SpanParsable`1[TSelf]", + "System.Lazy`1[T]", + "System.Lazy`2[T,TMetadata]", + "System.LoaderOptimization", + "System.LoaderOptimizationAttribute", + "System.LocalDataStoreSlot", + "System.MarshalByRefObject", + "System.MemberAccessException", + "System.Memory`1[T]", + "System.MemoryExtensions", + "System.MemoryExtensions+SpanSplitEnumerator`1[T]", + "System.MemoryExtensions+TryWriteInterpolatedStringHandler", + "System.MethodAccessException", + "System.MidpointRounding", + "System.MissingFieldException", + "System.MissingMemberException", + "System.MissingMethodException", + "System.MulticastNotSupportedException", + "System.NonSerializedAttribute", + "System.NotFiniteNumberException", + "System.NotImplementedException", + "System.NotSupportedException", + "System.Nullable`1[T]", + "System.Nullable", + "System.NullReferenceException", + "System.ObjectDisposedException", + "System.ObsoleteAttribute", + "System.OperatingSystem", + "System.OperationCanceledException", + "System.OutOfMemoryException", + "System.OverflowException", + "System.ParamArrayAttribute", + "System.PlatformID", + "System.PlatformNotSupportedException", + "System.Progress`1[T]", + "System.Random", + "System.Range", + "System.RankException", + "System.ReadOnlyMemory`1[T]", + "System.ReadOnlySpan`1[T]", + "System.ReadOnlySpan`1+Enumerator[T]", + "System.ResolveEventArgs", + "System.ResolveEventHandler", + "sbyte", + "System.SerializableAttribute", + "float", + "System.Span`1[T]", + "System.Span`1+Enumerator[T]", + "System.StackOverflowException", + "System.StringComparer", + "System.CultureAwareComparer", + "System.OrdinalComparer", + "System.StringComparison", + "System.StringNormalizationExtensions", + "System.StringSplitOptions", + "System.SystemException", + "System.STAThreadAttribute", + "System.MTAThreadAttribute", + "System.ThreadStaticAttribute", + "System.TimeOnly", + "System.TimeoutException", + "timespan", + "System.TimeZone", + "System.TimeZoneInfo", + "System.TimeZoneInfo+AdjustmentRule", + "System.TimeZoneInfo+TransitionTime", + "System.TimeZoneNotFoundException", + "System.Tuple", + "System.Tuple`1[T1]", + "System.Tuple`2[T1,T2]", + "System.Tuple`3[T1,T2,T3]", + "System.Tuple`4[T1,T2,T3,T4]", + "System.Tuple`5[T1,T2,T3,T4,T5]", + "System.Tuple`6[T1,T2,T3,T4,T5,T6]", + "System.Tuple`7[T1,T2,T3,T4,T5,T6,T7]", + "System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest]", + "System.TupleExtensions", + "System.TypeAccessException", + "System.TypeCode", + "System.TypeInitializationException", + "System.TypeUnloadedException", + "ushort", + "uint", + "ulong", + "System.UInt128", + "System.UIntPtr", + "System.UnauthorizedAccessException", + "System.UnhandledExceptionEventArgs", + "System.UnhandledExceptionEventHandler", + "System.UnitySerializationHolder", + "System.ValueTuple", + "System.ValueTuple`1[T1]", + "System.ValueTuple`2[T1,T2]", + "System.ValueTuple`3[T1,T2,T3]", + "System.ValueTuple`4[T1,T2,T3,T4]", + "System.ValueTuple`5[T1,T2,T3,T4,T5]", + "System.ValueTuple`6[T1,T2,T3,T4,T5,T6]", + "System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7]", + "System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest]", + "version", + "void", + "System.WeakReference", + "System.WeakReference`1[T]", + "System.TimeProvider", + "System.IParsable`1[TSelf]", + "System.ISpanParsable`1[TSelf]", + "System.Security.AllowPartiallyTrustedCallersAttribute", + "System.Security.IPermission", + "System.Security.ISecurityEncodable", + "System.Security.IStackWalk", + "System.Security.PartialTrustVisibilityLevel", + "System.Security.PermissionSet", + "securestring", + "System.Security.SecurityCriticalAttribute", + "System.Security.SecurityCriticalScope", + "System.Security.SecurityElement", + "System.Security.SecurityException", + "System.Security.SecurityRulesAttribute", + "System.Security.SecurityRuleSet", + "System.Security.SecuritySafeCriticalAttribute", + "System.Security.SecurityTransparentAttribute", + "System.Security.SecurityTreatAsSafeAttribute", + "System.Security.SuppressUnmanagedCodeSecurityAttribute", + "System.Security.UnverifiableCodeAttribute", + "System.Security.VerificationException", + "System.Security.Principal.IIdentity", + "System.Security.Principal.IPrincipal", + "System.Security.Principal.PrincipalPolicy", + "System.Security.Principal.TokenImpersonationLevel", + "System.Security.Permissions.CodeAccessSecurityAttribute", + "System.Security.Permissions.PermissionState", + "System.Security.Permissions.SecurityAction", + "System.Security.Permissions.SecurityAttribute", + "System.Security.Permissions.SecurityPermissionAttribute", + "System.Security.Permissions.SecurityPermissionFlag", + "System.Security.Cryptography.CryptographicException", + "System.Resources.IResourceReader", + "System.Resources.MissingManifestResourceException", + "System.Resources.MissingSatelliteAssemblyException", + "System.Resources.NeutralResourcesLanguageAttribute", + "System.Resources.ResourceManager", + "System.Resources.ResourceReader", + "System.Resources.ResourceSet", + "System.Resources.SatelliteContractVersionAttribute", + "System.Resources.UltimateResourceFallbackLocation", + "System.Numerics.BitOperations", + "System.Numerics.Matrix3x2", + "System.Numerics.Matrix4x4", + "System.Numerics.Plane", + "System.Numerics.Vector", + "System.Numerics.Quaternion", + "System.Numerics.TotalOrderIeee754Comparer`1[T]", + "System.Numerics.Vector`1[T]", + "System.Numerics.Vector2", + "System.Numerics.Vector3", + "System.Numerics.Vector4", + "System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IAdditiveIdentity`2[TSelf,TResult]", + "System.Numerics.IBinaryFloatingPointIeee754`1[TSelf]", + "System.Numerics.IBinaryInteger`1[TSelf]", + "System.Numerics.IBinaryNumber`1[TSelf]", + "System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IDecrementOperators`1[TSelf]", + "System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IExponentialFunctions`1[TSelf]", + "System.Numerics.IFloatingPoint`1[TSelf]", + "System.Numerics.IFloatingPointConstants`1[TSelf]", + "System.Numerics.IFloatingPointIeee754`1[TSelf]", + "System.Numerics.IHyperbolicFunctions`1[TSelf]", + "System.Numerics.IIncrementOperators`1[TSelf]", + "System.Numerics.ILogarithmicFunctions`1[TSelf]", + "System.Numerics.IMinMaxValue`1[TSelf]", + "System.Numerics.IModulusOperators`3[TSelf,TOther,TResult]", + "System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult]", + "System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult]", + "System.Numerics.INumber`1[TSelf]", + "System.Numerics.INumberBase`1[TSelf]", + "System.Numerics.IPowerFunctions`1[TSelf]", + "System.Numerics.IRootFunctions`1[TSelf]", + "System.Numerics.IShiftOperators`3[TSelf,TOther,TResult]", + "System.Numerics.ISignedNumber`1[TSelf]", + "System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult]", + "System.Numerics.ITrigonometricFunctions`1[TSelf]", + "System.Numerics.IUnaryNegationOperators`2[TSelf,TResult]", + "System.Numerics.IUnaryPlusOperators`2[TSelf,TResult]", + "System.Numerics.IUnsignedNumber`1[TSelf]", + "System.Net.WebUtility", + "System.Globalization.Calendar", + "System.Globalization.CalendarAlgorithmType", + "System.Globalization.CalendarWeekRule", + "System.Globalization.CharUnicodeInfo", + "System.Globalization.ChineseLunisolarCalendar", + "System.Globalization.CompareInfo", + "System.Globalization.CompareOptions", + "cultureinfo", + "System.Globalization.CultureNotFoundException", + "System.Globalization.CultureTypes", + "System.Globalization.DateTimeFormatInfo", + "System.Globalization.DateTimeStyles", + "System.Globalization.DaylightTime", + "System.Globalization.DigitShapes", + "System.Globalization.EastAsianLunisolarCalendar", + "System.Globalization.GlobalizationExtensions", + "System.Globalization.GregorianCalendar", + "System.Globalization.GregorianCalendarTypes", + "System.Globalization.HebrewCalendar", + "System.Globalization.HijriCalendar", + "System.Globalization.IdnMapping", + "System.Globalization.ISOWeek", + "System.Globalization.JapaneseCalendar", + "System.Globalization.JapaneseLunisolarCalendar", + "System.Globalization.JulianCalendar", + "System.Globalization.KoreanCalendar", + "System.Globalization.KoreanLunisolarCalendar", + "System.Globalization.NumberFormatInfo", + "System.Globalization.NumberStyles", + "System.Globalization.PersianCalendar", + "System.Globalization.RegionInfo", + "System.Globalization.SortKey", + "System.Globalization.SortVersion", + "System.Globalization.StringInfo", + "System.Globalization.TaiwanCalendar", + "System.Globalization.TaiwanLunisolarCalendar", + "System.Globalization.TextElementEnumerator", + "System.Globalization.TextInfo", + "System.Globalization.ThaiBuddhistCalendar", + "System.Globalization.TimeSpanStyles", + "System.Globalization.UmAlQuraCalendar", + "System.Globalization.UnicodeCategory", + "System.Configuration.Assemblies.AssemblyHashAlgorithm", + "System.Configuration.Assemblies.AssemblyVersionCompatibility", + "System.ComponentModel.DefaultValueAttribute", + "System.ComponentModel.EditorBrowsableAttribute", + "System.ComponentModel.EditorBrowsableState", + "System.ComponentModel.Win32Exception", + "System.CodeDom.Compiler.GeneratedCodeAttribute", + "System.CodeDom.Compiler.IndentedTextWriter", + "System.Buffers.SpanAction`2[T,TArg]", + "System.Buffers.ReadOnlySpanAction`2[T,TArg]", + "System.Buffers.ArrayPool`1[T]", + "System.Buffers.IMemoryOwner`1[T]", + "System.Buffers.IPinnable", + "System.Buffers.MemoryHandle", + "System.Buffers.MemoryManager`1[T]", + "System.Buffers.OperationStatus", + "System.Buffers.StandardFormat", + "System.Buffers.SearchValues", + "System.Buffers.SearchValues`1[T]", + "System.Buffers.Text.Base64", + "System.Buffers.Text.Base64Url", + "System.Buffers.Text.Utf8Formatter", + "System.Buffers.Text.Utf8Parser", + "System.Buffers.Binary.BinaryPrimitives", + "System.Threading.Interlocked", + "System.Threading.Monitor", + "System.Threading.SynchronizationContext", + "System.Threading.Thread", + "System.Threading.ThreadPool", + "System.Threading.WaitHandle", + "System.Threading.AbandonedMutexException", + "System.Threading.ApartmentState", + "System.Threading.AsyncLocal`1[T]", + "System.Threading.AsyncLocalValueChangedArgs`1[T]", + "System.Threading.AutoResetEvent", + "System.Threading.CancellationToken", + "System.Threading.CancellationTokenRegistration", + "System.Threading.CancellationTokenSource", + "System.Threading.CompressedStack", + "System.Threading.EventResetMode", + "System.Threading.EventWaitHandle", + "System.Threading.ContextCallback", + "System.Threading.ExecutionContext", + "System.Threading.AsyncFlowControl", + "System.Threading.IOCompletionCallback", + "System.Threading.IThreadPoolWorkItem", + "System.Threading.LazyInitializer", + "System.Threading.LazyThreadSafetyMode", + "System.Threading.Lock", + "System.Threading.Lock+Scope", + "System.Threading.LockRecursionException", + "System.Threading.ManualResetEvent", + "System.Threading.ManualResetEventSlim", + "System.Threading.Mutex", + "System.Threading.NativeOverlapped", + "System.Threading.Overlapped", + "System.Threading.ParameterizedThreadStart", + "System.Threading.LockRecursionPolicy", + "System.Threading.ReaderWriterLockSlim", + "System.Threading.Semaphore", + "System.Threading.SemaphoreFullException", + "System.Threading.SemaphoreSlim", + "System.Threading.SendOrPostCallback", + "System.Threading.SpinLock", + "System.Threading.SpinWait", + "System.Threading.SynchronizationLockException", + "System.Threading.ThreadAbortException", + "System.Threading.ThreadExceptionEventArgs", + "System.Threading.ThreadExceptionEventHandler", + "System.Threading.ThreadInterruptedException", + "System.Threading.ThreadLocal`1[T]", + "System.Threading.WaitCallback", + "System.Threading.WaitOrTimerCallback", + "System.Threading.ThreadPriority", + "System.Threading.ThreadStart", + "System.Threading.ThreadStartException", + "System.Threading.ThreadState", + "System.Threading.ThreadStateException", + "System.Threading.Timeout", + "System.Threading.PeriodicTimer", + "System.Threading.TimerCallback", + "System.Threading.Timer", + "System.Threading.Volatile", + "System.Threading.WaitHandleCannotBeOpenedException", + "System.Threading.WaitHandleExtensions", + "System.Threading.ITimer", + "System.Threading.RegisteredWaitHandle", + "System.Threading.ThreadPoolBoundHandle", + "System.Threading.PreAllocatedOverlapped", + "System.Threading.Tasks.ConcurrentExclusiveSchedulerPair", + "System.Threading.Tasks.ConfigureAwaitOptions", + "System.Threading.Tasks.Task`1[TResult]", + "System.Threading.Tasks.TaskFactory`1[TResult]", + "System.Threading.Tasks.TaskStatus", + "System.Threading.Tasks.Task", + "System.Threading.Tasks.TaskCreationOptions", + "System.Threading.Tasks.TaskContinuationOptions", + "System.Threading.Tasks.TaskAsyncEnumerableExtensions", + "System.Threading.Tasks.TaskCanceledException", + "System.Threading.Tasks.TaskCompletionSource", + "System.Threading.Tasks.TaskCompletionSource`1[TResult]", + "System.Threading.Tasks.TaskExtensions", + "System.Threading.Tasks.TaskFactory", + "System.Threading.Tasks.TaskScheduler", + "System.Threading.Tasks.UnobservedTaskExceptionEventArgs", + "System.Threading.Tasks.TaskSchedulerException", + "System.Threading.Tasks.ValueTask", + "System.Threading.Tasks.ValueTask`1[TResult]", + "System.Threading.Tasks.TaskToAsyncResult", + "System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags", + "System.Threading.Tasks.Sources.ValueTaskSourceStatus", + "System.Threading.Tasks.Sources.IValueTaskSource", + "System.Threading.Tasks.Sources.IValueTaskSource`1[TResult]", + "System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult]", + "System.Text.StringBuilder", + "System.Text.StringBuilder+ChunkEnumerator", + "System.Text.StringBuilder+AppendInterpolatedStringHandler", + "System.Text.Ascii", + "System.Text.ASCIIEncoding", + "System.Text.CompositeFormat", + "System.Text.Decoder", + "System.Text.DecoderExceptionFallback", + "System.Text.DecoderExceptionFallbackBuffer", + "System.Text.DecoderFallbackException", + "System.Text.DecoderFallback", + "System.Text.DecoderFallbackBuffer", + "System.Text.DecoderReplacementFallback", + "System.Text.DecoderReplacementFallbackBuffer", + "System.Text.Encoder", + "System.Text.EncoderExceptionFallback", + "System.Text.EncoderExceptionFallbackBuffer", + "System.Text.EncoderFallbackException", + "System.Text.EncoderFallback", + "System.Text.EncoderFallbackBuffer", + "System.Text.EncoderReplacementFallback", + "System.Text.EncoderReplacementFallbackBuffer", + "System.Text.Encoding", + "System.Text.EncodingInfo", + "System.Text.EncodingProvider", + "System.Text.NormalizationForm", + "System.Text.Rune", + "System.Text.SpanLineEnumerator", + "System.Text.SpanRuneEnumerator", + "System.Text.StringRuneEnumerator", + "System.Text.UnicodeEncoding", + "System.Text.UTF32Encoding", + "System.Text.UTF7Encoding", + "System.Text.UTF8Encoding", + "System.Text.Unicode.Utf8", + "System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler", + "System.Runtime.ControlledExecution", + "System.Runtime.DependentHandle", + "System.Runtime.GCSettings", + "System.Runtime.JitInfo", + "System.Runtime.AmbiguousImplementationException", + "System.Runtime.GCLargeObjectHeapCompactionMode", + "System.Runtime.GCLatencyMode", + "System.Runtime.MemoryFailPoint", + "System.Runtime.AssemblyTargetedPatchBandAttribute", + "System.Runtime.TargetedPatchingOptOutAttribute", + "System.Runtime.ProfileOptimization", + "System.Runtime.Versioning.ComponentGuaranteesAttribute", + "System.Runtime.Versioning.ComponentGuaranteesOptions", + "System.Runtime.Versioning.FrameworkName", + "System.Runtime.Versioning.OSPlatformAttribute", + "System.Runtime.Versioning.TargetPlatformAttribute", + "System.Runtime.Versioning.SupportedOSPlatformAttribute", + "System.Runtime.Versioning.UnsupportedOSPlatformAttribute", + "System.Runtime.Versioning.ObsoletedOSPlatformAttribute", + "System.Runtime.Versioning.SupportedOSPlatformGuardAttribute", + "System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute", + "System.Runtime.Versioning.RequiresPreviewFeaturesAttribute", + "System.Runtime.Versioning.ResourceConsumptionAttribute", + "System.Runtime.Versioning.ResourceExposureAttribute", + "System.Runtime.Versioning.ResourceScope", + "System.Runtime.Versioning.TargetFrameworkAttribute", + "System.Runtime.Versioning.VersioningHelper", + "System.Runtime.Serialization.DeserializationToken", + "System.Runtime.Serialization.IDeserializationCallback", + "System.Runtime.Serialization.IFormatterConverter", + "System.Runtime.Serialization.IObjectReference", + "System.Runtime.Serialization.ISafeSerializationData", + "System.Runtime.Serialization.ISerializable", + "System.Runtime.Serialization.OnDeserializedAttribute", + "System.Runtime.Serialization.OnDeserializingAttribute", + "System.Runtime.Serialization.OnSerializedAttribute", + "System.Runtime.Serialization.OnSerializingAttribute", + "System.Runtime.Serialization.OptionalFieldAttribute", + "System.Runtime.Serialization.SafeSerializationEventArgs", + "System.Runtime.Serialization.SerializationException", + "System.Runtime.Serialization.SerializationInfo", + "System.Runtime.Serialization.SerializationEntry", + "System.Runtime.Serialization.SerializationInfoEnumerator", + "System.Runtime.Serialization.StreamingContext", + "System.Runtime.Serialization.StreamingContextStates", + "System.Runtime.Remoting.ObjectHandle", + "System.Runtime.ConstrainedExecution.Cer", + "System.Runtime.ConstrainedExecution.Consistency", + "System.Runtime.ConstrainedExecution.CriticalFinalizerObject", + "System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute", + "System.Runtime.ConstrainedExecution.ReliabilityContractAttribute", + "System.Runtime.Loader.AssemblyLoadContext", + "System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope", + "System.Runtime.Loader.AssemblyDependencyResolver", + "System.Runtime.Intrinsics.Vector128", + "System.Runtime.Intrinsics.Vector128`1[T]", + "System.Runtime.Intrinsics.Vector256", + "System.Runtime.Intrinsics.Vector256`1[T]", + "System.Runtime.Intrinsics.Vector512", + "System.Runtime.Intrinsics.Vector512`1[T]", + "System.Runtime.Intrinsics.Vector64", + "System.Runtime.Intrinsics.Vector64`1[T]", + "System.Runtime.Intrinsics.Wasm.PackedSimd", + "System.Runtime.Intrinsics.Arm.SveMaskPattern", + "System.Runtime.Intrinsics.Arm.SvePrefetchType", + "System.Runtime.Intrinsics.Arm.AdvSimd", + "System.Runtime.Intrinsics.Arm.AdvSimd+Arm64", + "System.Runtime.Intrinsics.Arm.Aes", + "System.Runtime.Intrinsics.Arm.Aes+Arm64", + "System.Runtime.Intrinsics.Arm.ArmBase", + "System.Runtime.Intrinsics.Arm.ArmBase+Arm64", + "System.Runtime.Intrinsics.Arm.Crc32", + "System.Runtime.Intrinsics.Arm.Crc32+Arm64", + "System.Runtime.Intrinsics.Arm.Dp", + "System.Runtime.Intrinsics.Arm.Dp+Arm64", + "System.Runtime.Intrinsics.Arm.Rdm", + "System.Runtime.Intrinsics.Arm.Rdm+Arm64", + "System.Runtime.Intrinsics.Arm.Sha1", + "System.Runtime.Intrinsics.Arm.Sha1+Arm64", + "System.Runtime.Intrinsics.Arm.Sha256", + "System.Runtime.Intrinsics.Arm.Sha256+Arm64", + "System.Runtime.Intrinsics.Arm.Sve", + "System.Runtime.Intrinsics.Arm.Sve+Arm64", + "System.Runtime.Intrinsics.X86.X86Base", + "System.Runtime.Intrinsics.X86.X86Base+X64", + "System.Runtime.Intrinsics.X86.FloatComparisonMode", + "System.Runtime.Intrinsics.X86.FloatRoundingMode", + "System.Runtime.Intrinsics.X86.Aes", + "System.Runtime.Intrinsics.X86.Aes+X64", + "System.Runtime.Intrinsics.X86.Avx", + "System.Runtime.Intrinsics.X86.Avx+X64", + "System.Runtime.Intrinsics.X86.Avx2", + "System.Runtime.Intrinsics.X86.Avx2+X64", + "System.Runtime.Intrinsics.X86.Avx10v1", + "System.Runtime.Intrinsics.X86.Avx10v1+X64", + "System.Runtime.Intrinsics.X86.Avx10v1+V512", + "System.Runtime.Intrinsics.X86.Avx10v1+V512+X64", + "System.Runtime.Intrinsics.X86.Avx512BW", + "System.Runtime.Intrinsics.X86.Avx512BW+VL", + "System.Runtime.Intrinsics.X86.Avx512BW+X64", + "System.Runtime.Intrinsics.X86.Avx512CD", + "System.Runtime.Intrinsics.X86.Avx512CD+VL", + "System.Runtime.Intrinsics.X86.Avx512CD+X64", + "System.Runtime.Intrinsics.X86.Avx512DQ", + "System.Runtime.Intrinsics.X86.Avx512DQ+VL", + "System.Runtime.Intrinsics.X86.Avx512DQ+X64", + "System.Runtime.Intrinsics.X86.Avx512F", + "System.Runtime.Intrinsics.X86.Avx512F+VL", + "System.Runtime.Intrinsics.X86.Avx512F+X64", + "System.Runtime.Intrinsics.X86.Avx512Vbmi", + "System.Runtime.Intrinsics.X86.Avx512Vbmi+VL", + "System.Runtime.Intrinsics.X86.Avx512Vbmi+X64", + "System.Runtime.Intrinsics.X86.AvxVnni", + "System.Runtime.Intrinsics.X86.AvxVnni+X64", + "System.Runtime.Intrinsics.X86.Bmi1", + "System.Runtime.Intrinsics.X86.Bmi1+X64", + "System.Runtime.Intrinsics.X86.Bmi2", + "System.Runtime.Intrinsics.X86.Bmi2+X64", + "System.Runtime.Intrinsics.X86.Fma", + "System.Runtime.Intrinsics.X86.Fma+X64", + "System.Runtime.Intrinsics.X86.Lzcnt", + "System.Runtime.Intrinsics.X86.Lzcnt+X64", + "System.Runtime.Intrinsics.X86.Pclmulqdq", + "System.Runtime.Intrinsics.X86.Pclmulqdq+X64", + "System.Runtime.Intrinsics.X86.Popcnt", + "System.Runtime.Intrinsics.X86.Popcnt+X64", + "System.Runtime.Intrinsics.X86.Sse", + "System.Runtime.Intrinsics.X86.Sse+X64", + "System.Runtime.Intrinsics.X86.Sse2", + "System.Runtime.Intrinsics.X86.Sse2+X64", + "System.Runtime.Intrinsics.X86.Sse3", + "System.Runtime.Intrinsics.X86.Sse3+X64", + "System.Runtime.Intrinsics.X86.Sse41", + "System.Runtime.Intrinsics.X86.Sse41+X64", + "System.Runtime.Intrinsics.X86.Sse42", + "System.Runtime.Intrinsics.X86.Sse42+X64", + "System.Runtime.Intrinsics.X86.Ssse3", + "System.Runtime.Intrinsics.X86.Ssse3+X64", + "System.Runtime.Intrinsics.X86.X86Serialize", + "System.Runtime.Intrinsics.X86.X86Serialize+X64", + "System.Runtime.InteropServices.GCHandle", + "System.Runtime.InteropServices.Marshal", + "System.Runtime.InteropServices.MemoryMarshal", + "System.Runtime.InteropServices.NativeLibrary", + "System.Runtime.InteropServices.ComWrappers", + "System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch", + "System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry", + "System.Runtime.InteropServices.ComEventsHelper", + "System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute", + "System.Runtime.InteropServices.Architecture", + "System.Runtime.InteropServices.ArrayWithOffset", + "System.Runtime.InteropServices.BestFitMappingAttribute", + "System.Runtime.InteropServices.BStrWrapper", + "System.Runtime.InteropServices.CallingConvention", + "System.Runtime.InteropServices.CharSet", + "System.Runtime.InteropServices.ClassInterfaceAttribute", + "System.Runtime.InteropServices.ClassInterfaceType", + "System.Runtime.InteropServices.CLong", + "System.Runtime.InteropServices.CoClassAttribute", + "System.Runtime.InteropServices.CollectionsMarshal", + "System.Runtime.InteropServices.ComDefaultInterfaceAttribute", + "System.Runtime.InteropServices.ComEventInterfaceAttribute", + "System.Runtime.InteropServices.COMException", + "System.Runtime.InteropServices.ComImportAttribute", + "System.Runtime.InteropServices.ComInterfaceType", + "System.Runtime.InteropServices.ComMemberType", + "System.Runtime.InteropServices.ComSourceInterfacesAttribute", + "System.Runtime.InteropServices.ComVisibleAttribute", + "System.Runtime.InteropServices.CreateComInterfaceFlags", + "System.Runtime.InteropServices.CreateObjectFlags", + "System.Runtime.InteropServices.CriticalHandle", + "System.Runtime.InteropServices.CULong", + "System.Runtime.InteropServices.CurrencyWrapper", + "System.Runtime.InteropServices.CustomQueryInterfaceMode", + "System.Runtime.InteropServices.CustomQueryInterfaceResult", + "System.Runtime.InteropServices.DefaultCharSetAttribute", + "System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute", + "System.Runtime.InteropServices.DefaultParameterValueAttribute", + "System.Runtime.InteropServices.DispatchWrapper", + "System.Runtime.InteropServices.DispIdAttribute", + "System.Runtime.InteropServices.DllImportAttribute", + "System.Runtime.InteropServices.DllImportSearchPath", + "System.Runtime.InteropServices.ErrorWrapper", + "System.Runtime.InteropServices.ExternalException", + "System.Runtime.InteropServices.FieldOffsetAttribute", + "System.Runtime.InteropServices.GCHandleType", + "System.Runtime.InteropServices.GuidAttribute", + "System.Runtime.InteropServices.HandleRef", + "System.Runtime.InteropServices.ICustomAdapter", + "System.Runtime.InteropServices.ICustomFactory", + "System.Runtime.InteropServices.ICustomMarshaler", + "System.Runtime.InteropServices.ICustomQueryInterface", + "System.Runtime.InteropServices.IDynamicInterfaceCastable", + "System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute", + "System.Runtime.InteropServices.InAttribute", + "System.Runtime.InteropServices.InterfaceTypeAttribute", + "System.Runtime.InteropServices.InvalidComObjectException", + "System.Runtime.InteropServices.InvalidOleVariantTypeException", + "System.Runtime.InteropServices.LayoutKind", + "System.Runtime.InteropServices.LCIDConversionAttribute", + "System.Runtime.InteropServices.LibraryImportAttribute", + "System.Runtime.InteropServices.MarshalAsAttribute", + "System.Runtime.InteropServices.MarshalDirectiveException", + "System.Runtime.InteropServices.DllImportResolver", + "System.Runtime.InteropServices.NativeMemory", + "System.Runtime.InteropServices.NFloat", + "System.Runtime.InteropServices.OptionalAttribute", + "System.Runtime.InteropServices.OSPlatform", + "System.Runtime.InteropServices.OutAttribute", + "System.Runtime.InteropServices.PosixSignal", + "System.Runtime.InteropServices.PosixSignalContext", + "System.Runtime.InteropServices.PosixSignalRegistration", + "System.Runtime.InteropServices.PreserveSigAttribute", + "System.Runtime.InteropServices.ProgIdAttribute", + "System.Runtime.InteropServices.RuntimeInformation", + "System.Runtime.InteropServices.SafeArrayRankMismatchException", + "System.Runtime.InteropServices.SafeArrayTypeMismatchException", + "System.Runtime.InteropServices.SafeBuffer", + "System.Runtime.InteropServices.SafeHandle", + "System.Runtime.InteropServices.SEHException", + "System.Runtime.InteropServices.StringMarshalling", + "System.Runtime.InteropServices.StructLayoutAttribute", + "System.Runtime.InteropServices.SuppressGCTransitionAttribute", + "System.Runtime.InteropServices.TypeIdentifierAttribute", + "System.Runtime.InteropServices.UnknownWrapper", + "System.Runtime.InteropServices.UnmanagedCallConvAttribute", + "System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute", + "System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute", + "System.Runtime.InteropServices.UnmanagedType", + "System.Runtime.InteropServices.VarEnum", + "System.Runtime.InteropServices.VariantWrapper", + "System.Runtime.InteropServices.WasmImportLinkageAttribute", + "System.Runtime.InteropServices.StandardOleMarshalObject", + "System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal", + "System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler", + "System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction", + "System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute", + "System.Runtime.InteropServices.Swift.SwiftSelf", + "System.Runtime.InteropServices.Swift.SwiftSelf`1[T]", + "System.Runtime.InteropServices.Swift.SwiftError", + "System.Runtime.InteropServices.Swift.SwiftIndirectResult", + "System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller", + "System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn", + "System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.BStrStringMarshaller", + "System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn", + "System.Runtime.InteropServices.Marshalling.ComVariant", + "System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute", + "System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute", + "System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder", + "System.Runtime.InteropServices.Marshalling.MarshalMode", + "System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute", + "System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute", + "System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T]", + "System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T]", + "System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T]", + "System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T]", + "System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement]", + "System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller", + "System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller", + "System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn", + "System.Runtime.InteropServices.ComTypes.BIND_OPTS", + "System.Runtime.InteropServices.ComTypes.IBindCtx", + "System.Runtime.InteropServices.ComTypes.IConnectionPoint", + "System.Runtime.InteropServices.ComTypes.IConnectionPointContainer", + "System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints", + "System.Runtime.InteropServices.ComTypes.CONNECTDATA", + "System.Runtime.InteropServices.ComTypes.IEnumConnections", + "System.Runtime.InteropServices.ComTypes.IEnumMoniker", + "System.Runtime.InteropServices.ComTypes.IEnumString", + "System.Runtime.InteropServices.ComTypes.IEnumVARIANT", + "System.Runtime.InteropServices.ComTypes.FILETIME", + "System.Runtime.InteropServices.ComTypes.IMoniker", + "System.Runtime.InteropServices.ComTypes.IPersistFile", + "System.Runtime.InteropServices.ComTypes.IRunningObjectTable", + "System.Runtime.InteropServices.ComTypes.STATSTG", + "System.Runtime.InteropServices.ComTypes.IStream", + "System.Runtime.InteropServices.ComTypes.DESCKIND", + "System.Runtime.InteropServices.ComTypes.BINDPTR", + "System.Runtime.InteropServices.ComTypes.ITypeComp", + "System.Runtime.InteropServices.ComTypes.TYPEKIND", + "System.Runtime.InteropServices.ComTypes.TYPEFLAGS", + "System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS", + "System.Runtime.InteropServices.ComTypes.TYPEATTR", + "System.Runtime.InteropServices.ComTypes.FUNCDESC", + "System.Runtime.InteropServices.ComTypes.IDLFLAG", + "System.Runtime.InteropServices.ComTypes.IDLDESC", + "System.Runtime.InteropServices.ComTypes.PARAMFLAG", + "System.Runtime.InteropServices.ComTypes.PARAMDESC", + "System.Runtime.InteropServices.ComTypes.TYPEDESC", + "System.Runtime.InteropServices.ComTypes.ELEMDESC", + "System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION", + "System.Runtime.InteropServices.ComTypes.VARKIND", + "System.Runtime.InteropServices.ComTypes.VARDESC", + "System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION", + "System.Runtime.InteropServices.ComTypes.DISPPARAMS", + "System.Runtime.InteropServices.ComTypes.EXCEPINFO", + "System.Runtime.InteropServices.ComTypes.FUNCKIND", + "System.Runtime.InteropServices.ComTypes.INVOKEKIND", + "System.Runtime.InteropServices.ComTypes.CALLCONV", + "System.Runtime.InteropServices.ComTypes.FUNCFLAGS", + "System.Runtime.InteropServices.ComTypes.VARFLAGS", + "System.Runtime.InteropServices.ComTypes.ITypeInfo", + "System.Runtime.InteropServices.ComTypes.ITypeInfo2", + "System.Runtime.InteropServices.ComTypes.SYSKIND", + "System.Runtime.InteropServices.ComTypes.LIBFLAGS", + "System.Runtime.InteropServices.ComTypes.TYPELIBATTR", + "System.Runtime.InteropServices.ComTypes.ITypeLib", + "System.Runtime.InteropServices.ComTypes.ITypeLib2", + "System.Runtime.ExceptionServices.ExceptionDispatchInfo", + "System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs", + "System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute", + "System.Runtime.CompilerServices.RuntimeHelpers", + "System.Runtime.CompilerServices.RuntimeHelpers+TryCode", + "System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode", + "System.Runtime.CompilerServices.AccessedThroughPropertyAttribute", + "System.Runtime.CompilerServices.AsyncIteratorMethodBuilder", + "System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute", + "System.Runtime.CompilerServices.AsyncMethodBuilderAttribute", + "System.Runtime.CompilerServices.AsyncStateMachineAttribute", + "System.Runtime.CompilerServices.AsyncTaskMethodBuilder", + "System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult]", + "System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder", + "System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult]", + "System.Runtime.CompilerServices.AsyncVoidMethodBuilder", + "System.Runtime.CompilerServices.CallerArgumentExpressionAttribute", + "System.Runtime.CompilerServices.CallerFilePathAttribute", + "System.Runtime.CompilerServices.CallerLineNumberAttribute", + "System.Runtime.CompilerServices.CallerMemberNameAttribute", + "System.Runtime.CompilerServices.CallConvCdecl", + "System.Runtime.CompilerServices.CallConvFastcall", + "System.Runtime.CompilerServices.CallConvStdcall", + "System.Runtime.CompilerServices.CallConvSwift", + "System.Runtime.CompilerServices.CallConvSuppressGCTransition", + "System.Runtime.CompilerServices.CallConvThiscall", + "System.Runtime.CompilerServices.CallConvMemberFunction", + "System.Runtime.CompilerServices.CollectionBuilderAttribute", + "System.Runtime.CompilerServices.CompilationRelaxations", + "System.Runtime.CompilerServices.CompilationRelaxationsAttribute", + "System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute", + "System.Runtime.CompilerServices.CompilerGeneratedAttribute", + "System.Runtime.CompilerServices.CompilerGlobalScopeAttribute", + "System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue]", + "System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue]", + "System.Runtime.CompilerServices.ConfiguredAsyncDisposable", + "System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T]", + "System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T]", + "System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable", + "System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter", + "System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult]", + "System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult]", + "System.Runtime.CompilerServices.ContractHelper", + "System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute", + "System.Runtime.CompilerServices.CustomConstantAttribute", + "System.Runtime.CompilerServices.DateTimeConstantAttribute", + "System.Runtime.CompilerServices.DecimalConstantAttribute", + "System.Runtime.CompilerServices.DefaultDependencyAttribute", + "System.Runtime.CompilerServices.DependencyAttribute", + "System.Runtime.CompilerServices.DisablePrivateReflectionAttribute", + "System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute", + "System.Runtime.CompilerServices.DiscardableAttribute", + "System.Runtime.CompilerServices.EnumeratorCancellationAttribute", + "System.Runtime.CompilerServices.ExtensionAttribute", + "System.Runtime.CompilerServices.FixedAddressValueTypeAttribute", + "System.Runtime.CompilerServices.FixedBufferAttribute", + "System.Runtime.CompilerServices.FormattableStringFactory", + "System.Runtime.CompilerServices.IAsyncStateMachine", + "System.Runtime.CompilerServices.ICastable", + "System.Runtime.CompilerServices.IndexerNameAttribute", + "System.Runtime.CompilerServices.INotifyCompletion", + "System.Runtime.CompilerServices.ICriticalNotifyCompletion", + "System.Runtime.CompilerServices.InternalsVisibleToAttribute", + "System.Runtime.CompilerServices.IsByRefLikeAttribute", + "System.Runtime.CompilerServices.InlineArrayAttribute", + "System.Runtime.CompilerServices.IsConst", + "System.Runtime.CompilerServices.IsExternalInit", + "System.Runtime.CompilerServices.IsReadOnlyAttribute", + "System.Runtime.CompilerServices.IsVolatile", + "System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute", + "System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute", + "System.Runtime.CompilerServices.DefaultInterpolatedStringHandler", + "System.Runtime.CompilerServices.IsUnmanagedAttribute", + "System.Runtime.CompilerServices.IteratorStateMachineAttribute", + "System.Runtime.CompilerServices.ITuple", + "System.Runtime.CompilerServices.LoadHint", + "System.Runtime.CompilerServices.MethodCodeType", + "System.Runtime.CompilerServices.MethodImplAttribute", + "System.Runtime.CompilerServices.MethodImplOptions", + "System.Runtime.CompilerServices.ModuleInitializerAttribute", + "System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute", + "System.Runtime.CompilerServices.NullableAttribute", + "System.Runtime.CompilerServices.NullableContextAttribute", + "System.Runtime.CompilerServices.NullablePublicOnlyAttribute", + "System.Runtime.CompilerServices.ReferenceAssemblyAttribute", + "System.Runtime.CompilerServices.ParamCollectionAttribute", + "System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder", + "System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult]", + "System.Runtime.CompilerServices.PreserveBaseOverridesAttribute", + "System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute", + "System.Runtime.CompilerServices.RefSafetyRulesAttribute", + "System.Runtime.CompilerServices.RequiredMemberAttribute", + "System.Runtime.CompilerServices.RequiresLocationAttribute", + "System.Runtime.CompilerServices.RuntimeCompatibilityAttribute", + "System.Runtime.CompilerServices.RuntimeFeature", + "System.Runtime.CompilerServices.RuntimeWrappedException", + "System.Runtime.CompilerServices.ScopedRefAttribute", + "System.Runtime.CompilerServices.SkipLocalsInitAttribute", + "System.Runtime.CompilerServices.SpecialNameAttribute", + "System.Runtime.CompilerServices.StateMachineAttribute", + "System.Runtime.CompilerServices.StringFreezingAttribute", + "System.Runtime.CompilerServices.StrongBox`1[T]", + "System.Runtime.CompilerServices.IStrongBox", + "System.Runtime.CompilerServices.SuppressIldasmAttribute", + "System.Runtime.CompilerServices.SwitchExpressionException", + "System.Runtime.CompilerServices.TaskAwaiter", + "System.Runtime.CompilerServices.TaskAwaiter`1[TResult]", + "System.Runtime.CompilerServices.ConfiguredTaskAwaitable", + "System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter", + "System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult]", + "System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult]", + "System.Runtime.CompilerServices.TupleElementNamesAttribute", + "System.Runtime.CompilerServices.TypeForwardedFromAttribute", + "System.Runtime.CompilerServices.TypeForwardedToAttribute", + "System.Runtime.CompilerServices.Unsafe", + "System.Runtime.CompilerServices.UnsafeAccessorKind", + "System.Runtime.CompilerServices.UnsafeAccessorAttribute", + "System.Runtime.CompilerServices.UnsafeValueTypeAttribute", + "System.Runtime.CompilerServices.ValueTaskAwaiter", + "System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult]", + "System.Runtime.CompilerServices.YieldAwaitable", + "System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter", + "System.Reflection.Assembly", + "System.Reflection.AssemblyName", + "System.Reflection.ConstructorInfo", + "System.Reflection.ConstructorInvoker", + "System.Reflection.FieldInfo", + "System.Reflection.MemberInfo", + "System.Reflection.MethodBase", + "System.Reflection.MethodInvoker", + "System.Reflection.CustomAttributeTypedArgument", + "System.Reflection.AmbiguousMatchException", + "System.Reflection.AssemblyAlgorithmIdAttribute", + "System.Reflection.AssemblyCompanyAttribute", + "System.Reflection.AssemblyConfigurationAttribute", + "System.Reflection.AssemblyContentType", + "System.Reflection.AssemblyCopyrightAttribute", + "System.Reflection.AssemblyCultureAttribute", + "System.Reflection.AssemblyDefaultAliasAttribute", + "System.Reflection.AssemblyDelaySignAttribute", + "System.Reflection.AssemblyDescriptionAttribute", + "System.Reflection.AssemblyFileVersionAttribute", + "System.Reflection.AssemblyFlagsAttribute", + "System.Reflection.AssemblyInformationalVersionAttribute", + "System.Reflection.AssemblyKeyFileAttribute", + "System.Reflection.AssemblyKeyNameAttribute", + "System.Reflection.AssemblyMetadataAttribute", + "System.Reflection.AssemblyNameFlags", + "System.Reflection.AssemblyNameProxy", + "System.Reflection.AssemblyProductAttribute", + "System.Reflection.AssemblySignatureKeyAttribute", + "System.Reflection.AssemblyTitleAttribute", + "System.Reflection.AssemblyTrademarkAttribute", + "System.Reflection.AssemblyVersionAttribute", + "System.Reflection.Binder", + "System.Reflection.BindingFlags", + "System.Reflection.CallingConventions", + "System.Reflection.CustomAttributeData", + "System.Reflection.CustomAttributeExtensions", + "System.Reflection.CustomAttributeFormatException", + "System.Reflection.CustomAttributeNamedArgument", + "System.Reflection.DefaultMemberAttribute", + "System.Reflection.EventAttributes", + "System.Reflection.EventInfo", + "System.Reflection.ExceptionHandlingClause", + "System.Reflection.ExceptionHandlingClauseOptions", + "System.Reflection.FieldAttributes", + "System.Reflection.GenericParameterAttributes", + "System.Reflection.ICustomAttributeProvider", + "System.Reflection.ImageFileMachine", + "System.Reflection.InterfaceMapping", + "System.Reflection.IntrospectionExtensions", + "System.Reflection.InvalidFilterCriteriaException", + "System.Reflection.IReflect", + "System.Reflection.IReflectableType", + "System.Reflection.LocalVariableInfo", + "System.Reflection.ManifestResourceInfo", + "System.Reflection.MemberFilter", + "System.Reflection.MemberTypes", + "System.Reflection.MethodAttributes", + "System.Reflection.MethodBody", + "System.Reflection.MethodImplAttributes", + "System.Reflection.MethodInfo", + "System.Reflection.Missing", + "System.Reflection.Module", + "System.Reflection.ModuleResolveEventHandler", + "System.Reflection.NullabilityInfo", + "System.Reflection.NullabilityState", + "System.Reflection.NullabilityInfoContext", + "System.Reflection.ObfuscateAssemblyAttribute", + "System.Reflection.ObfuscationAttribute", + "System.Reflection.ParameterAttributes", + "System.Reflection.ParameterInfo", + "System.Reflection.ParameterModifier", + "System.Reflection.Pointer", + "System.Reflection.PortableExecutableKinds", + "System.Reflection.ProcessorArchitecture", + "System.Reflection.PropertyAttributes", + "System.Reflection.PropertyInfo", + "System.Reflection.ReflectionContext", + "System.Reflection.ReflectionTypeLoadException", + "System.Reflection.ResourceAttributes", + "System.Reflection.ResourceLocation", + "System.Reflection.RuntimeReflectionExtensions", + "System.Reflection.StrongNameKeyPair", + "System.Reflection.TargetException", + "System.Reflection.TargetInvocationException", + "System.Reflection.TargetParameterCountException", + "System.Reflection.TypeAttributes", + "System.Reflection.TypeDelegator", + "System.Reflection.TypeFilter", + "System.Reflection.TypeInfo", + "System.Reflection.Metadata.AssemblyExtensions", + "System.Reflection.Metadata.MetadataUpdater", + "System.Reflection.Metadata.MetadataUpdateHandlerAttribute", + "System.Reflection.Emit.CustomAttributeBuilder", + "System.Reflection.Emit.DynamicILInfo", + "System.Reflection.Emit.DynamicMethod", + "System.Reflection.Emit.AssemblyBuilder", + "System.Reflection.Emit.SignatureHelper", + "System.Reflection.Emit.AssemblyBuilderAccess", + "System.Reflection.Emit.ConstructorBuilder", + "System.Reflection.Emit.EnumBuilder", + "System.Reflection.Emit.EventBuilder", + "System.Reflection.Emit.FieldBuilder", + "System.Reflection.Emit.FlowControl", + "System.Reflection.Emit.GenericTypeParameterBuilder", + "System.Reflection.Emit.ILGenerator", + "System.Reflection.Emit.Label", + "System.Reflection.Emit.LocalBuilder", + "System.Reflection.Emit.MethodBuilder", + "System.Reflection.Emit.ModuleBuilder", + "System.Reflection.Emit.OpCode", + "System.Reflection.Emit.OpCodes", + "System.Reflection.Emit.OpCodeType", + "System.Reflection.Emit.OperandType", + "System.Reflection.Emit.PackingSize", + "System.Reflection.Emit.ParameterBuilder", + "System.Reflection.Emit.PEFileKinds", + "System.Reflection.Emit.PropertyBuilder", + "System.Reflection.Emit.StackBehaviour", + "System.Reflection.Emit.TypeBuilder", + "System.IO.FileLoadException", + "System.IO.FileNotFoundException", + "System.IO.BinaryReader", + "System.IO.BinaryWriter", + "System.IO.BufferedStream", + "System.IO.Directory", + "System.IO.DirectoryInfo", + "System.IO.DirectoryNotFoundException", + "System.IO.EnumerationOptions", + "System.IO.EndOfStreamException", + "System.IO.File", + "System.IO.FileAccess", + "System.IO.FileAttributes", + "System.IO.FileInfo", + "System.IO.FileMode", + "System.IO.FileOptions", + "System.IO.FileShare", + "System.IO.FileStream", + "System.IO.FileStreamOptions", + "System.IO.FileSystemInfo", + "System.IO.HandleInheritability", + "System.IO.InvalidDataException", + "System.IO.IOException", + "System.IO.MatchCasing", + "System.IO.MatchType", + "System.IO.MemoryStream", + "System.IO.Path", + "System.IO.PathTooLongException", + "System.IO.RandomAccess", + "System.IO.SearchOption", + "System.IO.SeekOrigin", + "System.IO.Stream", + "System.IO.StreamReader", + "System.IO.StreamWriter", + "System.IO.StringReader", + "System.IO.StringWriter", + "System.IO.TextReader", + "System.IO.TextWriter", + "System.IO.UnixFileMode", + "System.IO.UnmanagedMemoryAccessor", + "System.IO.UnmanagedMemoryStream", + "System.IO.Enumeration.FileSystemEntry", + "System.IO.Enumeration.FileSystemEnumerator`1[TResult]", + "System.IO.Enumeration.FileSystemEnumerable`1[TResult]", + "System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult]", + "System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult]", + "System.IO.Enumeration.FileSystemName", + "System.Diagnostics.Debugger", + "System.Diagnostics.StackFrame", + "System.Diagnostics.StackTrace", + "System.Diagnostics.ConditionalAttribute", + "System.Diagnostics.Debug", + "System.Diagnostics.Debug+AssertInterpolatedStringHandler", + "System.Diagnostics.Debug+WriteIfInterpolatedStringHandler", + "System.Diagnostics.DebuggableAttribute", + "System.Diagnostics.DebuggableAttribute+DebuggingModes", + "System.Diagnostics.DebuggerBrowsableState", + "System.Diagnostics.DebuggerBrowsableAttribute", + "System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute", + "System.Diagnostics.DebuggerDisplayAttribute", + "System.Diagnostics.DebuggerHiddenAttribute", + "System.Diagnostics.DebuggerNonUserCodeAttribute", + "System.Diagnostics.DebuggerStepperBoundaryAttribute", + "System.Diagnostics.DebuggerStepThroughAttribute", + "System.Diagnostics.DebuggerTypeProxyAttribute", + "System.Diagnostics.DebuggerVisualizerAttribute", + "System.Diagnostics.DebugProvider", + "System.Diagnostics.DiagnosticMethodInfo", + "System.Diagnostics.StackFrameExtensions", + "System.Diagnostics.StackTraceHiddenAttribute", + "System.Diagnostics.Stopwatch", + "System.Diagnostics.UnreachableException", + "System.Diagnostics.Tracing.DiagnosticCounter", + "System.Diagnostics.Tracing.EventActivityOptions", + "System.Diagnostics.Tracing.EventCounter", + "System.Diagnostics.Tracing.EventSource", + "System.Diagnostics.Tracing.EventSource+EventSourcePrimitive", + "System.Diagnostics.Tracing.EventSourceSettings", + "System.Diagnostics.Tracing.EventListener", + "System.Diagnostics.Tracing.EventCommandEventArgs", + "System.Diagnostics.Tracing.EventSourceCreatedEventArgs", + "System.Diagnostics.Tracing.EventWrittenEventArgs", + "System.Diagnostics.Tracing.EventSourceAttribute", + "System.Diagnostics.Tracing.EventAttribute", + "System.Diagnostics.Tracing.NonEventAttribute", + "System.Diagnostics.Tracing.EventCommand", + "System.Diagnostics.Tracing.EventManifestOptions", + "System.Diagnostics.Tracing.EventSourceException", + "System.Diagnostics.Tracing.IncrementingEventCounter", + "System.Diagnostics.Tracing.IncrementingPollingCounter", + "System.Diagnostics.Tracing.PollingCounter", + "System.Diagnostics.Tracing.EventLevel", + "System.Diagnostics.Tracing.EventTask", + "System.Diagnostics.Tracing.EventOpcode", + "System.Diagnostics.Tracing.EventChannel", + "System.Diagnostics.Tracing.EventKeywords", + "System.Diagnostics.Tracing.EventDataAttribute", + "System.Diagnostics.Tracing.EventFieldTags", + "System.Diagnostics.Tracing.EventFieldAttribute", + "System.Diagnostics.Tracing.EventFieldFormat", + "System.Diagnostics.Tracing.EventIgnoreAttribute", + "System.Diagnostics.Tracing.EventSourceOptions", + "System.Diagnostics.Tracing.EventTags", + "System.Diagnostics.SymbolStore.ISymbolDocumentWriter", + "System.Diagnostics.Contracts.ContractException", + "System.Diagnostics.Contracts.ContractFailedEventArgs", + "System.Diagnostics.Contracts.PureAttribute", + "System.Diagnostics.Contracts.ContractClassAttribute", + "System.Diagnostics.Contracts.ContractClassForAttribute", + "System.Diagnostics.Contracts.ContractInvariantMethodAttribute", + "System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute", + "System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute", + "System.Diagnostics.Contracts.ContractVerificationAttribute", + "System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute", + "System.Diagnostics.Contracts.ContractArgumentValidatorAttribute", + "System.Diagnostics.Contracts.ContractAbbreviatorAttribute", + "System.Diagnostics.Contracts.ContractOptionAttribute", + "System.Diagnostics.Contracts.Contract", + "System.Diagnostics.Contracts.ContractFailureKind", + "System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute", + "System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes", + "System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute", + "System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute", + "System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute", + "System.Diagnostics.CodeAnalysis.ExperimentalAttribute", + "System.Diagnostics.CodeAnalysis.FeatureGuardAttribute", + "System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute", + "System.Diagnostics.CodeAnalysis.AllowNullAttribute", + "System.Diagnostics.CodeAnalysis.DisallowNullAttribute", + "System.Diagnostics.CodeAnalysis.MaybeNullAttribute", + "System.Diagnostics.CodeAnalysis.NotNullAttribute", + "System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute", + "System.Diagnostics.CodeAnalysis.NotNullWhenAttribute", + "System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute", + "System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute", + "System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute", + "System.Diagnostics.CodeAnalysis.MemberNotNullAttribute", + "System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute", + "System.Diagnostics.CodeAnalysis.UnscopedRefAttribute", + "System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute", + "System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute", + "System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute", + "System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute", + "System.Diagnostics.CodeAnalysis.StringSyntaxAttribute", + "System.Diagnostics.CodeAnalysis.SuppressMessageAttribute", + "System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute", + "System.Collections.ArrayList", + "System.Collections.Comparer", + "System.Collections.DictionaryEntry", + "hashtable", + "System.Collections.ICollection", + "System.Collections.IComparer", + "System.Collections.IDictionary", + "System.Collections.IDictionaryEnumerator", + "System.Collections.IEnumerable", + "System.Collections.IEnumerator", + "System.Collections.IEqualityComparer", + "System.Collections.IHashCodeProvider", + "System.Collections.IList", + "System.Collections.IStructuralComparable", + "System.Collections.IStructuralEquatable", + "System.Collections.ListDictionaryInternal", + "System.Collections.ObjectModel.Collection`1[T]", + "System.Collections.ObjectModel.ReadOnlyCollection`1[T]", + "System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue]", + "System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue]", + "System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue]", + "System.Collections.Concurrent.ConcurrentQueue`1[T]", + "System.Collections.Concurrent.IProducerConsumerCollection`1[T]", + "System.Collections.Generic.Comparer`1[T]", + "System.Collections.Generic.EqualityComparer`1[T]", + "System.Collections.Generic.GenericEqualityComparer`1[T]", + "System.Collections.Generic.NullableEqualityComparer`1[T]", + "System.Collections.Generic.ObjectEqualityComparer`1[T]", + "System.Collections.Generic.ByteEqualityComparer", + "System.Collections.Generic.EnumEqualityComparer`1[T]", + "System.Collections.Generic.CollectionExtensions", + "System.Collections.Generic.GenericComparer`1[T]", + "System.Collections.Generic.NullableComparer`1[T]", + "System.Collections.Generic.ObjectComparer`1[T]", + "System.Collections.Generic.Dictionary`2[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey]", + "System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue]", + "System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue]", + "System.Collections.Generic.HashSet`1[T]", + "System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate]", + "System.Collections.Generic.HashSet`1+Enumerator[T]", + "System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T]", + "System.Collections.Generic.IAsyncEnumerable`1[T]", + "System.Collections.Generic.IAsyncEnumerator`1[T]", + "System.Collections.Generic.ICollection`1[T]", + "System.Collections.Generic.IComparer`1[T]", + "System.Collections.Generic.IDictionary`2[TKey,TValue]", + "System.Collections.Generic.IEnumerable`1[T]", + "System.Collections.Generic.IEnumerator`1[T]", + "System.Collections.Generic.IEqualityComparer`1[T]", + "System.Collections.Generic.IList`1[T]", + "System.Collections.Generic.IReadOnlyCollection`1[T]", + "System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue]", + "System.Collections.Generic.IReadOnlyList`1[T]", + "System.Collections.Generic.ISet`1[T]", + "System.Collections.Generic.IReadOnlySet`1[T]", + "System.Collections.Generic.KeyNotFoundException", + "System.Collections.Generic.KeyValuePair", + "System.Collections.Generic.KeyValuePair`2[TKey,TValue]", + "System.Collections.Generic.List`1[T]", + "System.Collections.Generic.List`1+Enumerator[T]", + "System.Collections.Generic.Queue`1[T]", + "System.Collections.Generic.Queue`1+Enumerator[T]", + "System.Collections.Generic.ReferenceEqualityComparer", + "System.Collections.Generic.NonRandomizedStringEqualityComparer", + "Internal.Console", + "Internal.Console+Error" + ], + "IsFullyTrusted": true, + "CustomAttributes": [ + "[System.Runtime.CompilerServices.ExtensionAttribute()]", + "[System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)]", + "[System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)]", + "[System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)]", + "[System.Reflection.Metadata.MetadataUpdateHandlerAttribute(typeof(System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler))]", + "[System.CLSCompliantAttribute((Boolean)True)]", + "[System.Runtime.InteropServices.ComVisibleAttribute((Boolean)False)]", + "[System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute((System.Runtime.InteropServices.DllImportSearchPath)2050)]", + "[System.Reflection.AssemblyMetadataAttribute(\"Serviceable\", \"True\")]", + "[System.Reflection.AssemblyMetadataAttribute(\"IsTrimmable\", \"True\")]", + "[System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")]", + "[System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute()]", + "[System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")]", + "[System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")]", + "[System.Reflection.AssemblyConfigurationAttribute(\"Release\")]", + "[System.Reflection.AssemblyCopyrightAttribute(\"© Microsoft Corporation. All rights reserved.\")]", + "[System.Reflection.AssemblyDescriptionAttribute(\"System.Private.CoreLib\")]", + "[System.Reflection.AssemblyFileVersionAttribute(\"9.0.625.26613\")]", + "[System.Reflection.AssemblyInformationalVersionAttribute(\"9.0.6+3875b54e7b10b10606b105340199946d0b877754\")]", + "[System.Reflection.AssemblyProductAttribute(\"Microsoft® .NET\")]", + "[System.Reflection.AssemblyTitleAttribute(\"System.Private.CoreLib\")]", + "[System.Reflection.AssemblyMetadataAttribute(\"RepositoryUrl\", \"https://github.com/dotnet/runtime\")]" + ], + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Private.CoreLib.dll", + "Modules": [ + "System.Private.CoreLib.dll" + ], + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.ValueType", + "AssemblyQualifiedName": "System.ValueType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "478dd879-0e54-3ff8-b80b-281117149db3", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "ValueType", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Private.CoreLib.dll", + "FullName": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "EntryPoint": null, + "DefinedTypes": "Interop Interop+OleAut32 Interop+Globalization Interop+Globalization+ResultCode Interop+BOOL Interop+Kernel32 Interop+Kernel32+NlsVersionInfoEx Interop+Kernel32+OVERLAPPED_ENTRY Interop+Kernel32+CONDITION_VARIABLE Interop+Kernel32+BY_HANDLE_FILE_INFORMATION Interop+Kernel32+CRITICAL_SECTION Interop+Kernel32+FILE_BASIC_INFO Interop+Kernel32+FILE_ALLOCATION_INFO Interop+Kernel32+FILE_END_OF_FILE_INFO Interop+Kernel32+FILE_STANDARD_INFO Interop+Kernel32+FILE_TIME Interop+Kernel32+FINDEX_INFO_LEVELS Interop+Kernel32+FINDEX_SEARCH_OPS Interop+Kernel32+GET_FILEEX_INFO_LEVELS Interop+Kernel32+CPINFO Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+PROCESS_MEMORY_COUNTERS Interop+Kernel32+MEMORY_BASIC_INFORMATION Interop+Kernel32+MEMORYSTATUSEX Interop+Kernel32+SymbolicLinkReparseBuffer Interop+Kernel32+MountPointReparseBuffer Interop+Kernel32+SECURITY_ATTRIBUTES Interop+Kernel32+STORAGE_READ_CAPACITY Interop+Kernel32+SYSTEM_INFO Interop+Kernel32+SYSTEMTIME Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+REG_TZI_FORMAT Interop+Kernel32+WIN32_FILE_ATTRIBUTE_DATA Interop+Kernel32+WIN32_FIND_DATA Interop+Kernel32+WIN32_FIND_DATA+<_cAlternateFileName>e__FixedBuffer Interop+Kernel32+WIN32_FIND_DATA+<_cFileName>e__FixedBuffer Interop+Kernel32+PROCESSOR_NUMBER Interop+Normaliz Interop+HostPolicy Interop+HostPolicy+corehost_resolve_component_dependencies_result_fn Interop+HostPolicy+corehost_error_writer_fn Interop+Advapi32 Interop+Advapi32+ActivityControl Interop+Advapi32+EVENT_FILTER_DESCRIPTOR Interop+Advapi32+EVENT_INFO_CLASS Interop+Advapi32+TRACE_QUERY_INFO_CLASS Interop+Advapi32+TRACE_GUID_INFO Interop+Advapi32+TRACE_PROVIDER_INSTANCE_INFO Interop+Advapi32+TRACE_ENABLE_INFO Interop+Advapi32+TOKEN_ELEVATION Interop+Advapi32+TOKEN_INFORMATION_CLASS Interop+BCrypt Interop+BCrypt+NTSTATUS Interop+Crypt32 Interop+BOOLEAN Interop+NtDll Interop+NtDll+CreateDisposition Interop+NtDll+CreateOptions Interop+NtDll+DesiredAccess Interop+NtDll+IO_STATUS_BLOCK Interop+NtDll+IO_STATUS_BLOCK+IO_STATUS Interop+NtDll+FILE_FULL_DIR_INFORMATION Interop+NtDll+FILE_INFORMATION_CLASS Interop+NtDll+RTL_OSVERSIONINFOEX Interop+NtDll+RTL_OSVERSIONINFOEX+e__FixedBuffer Interop+NtDll+SYSTEM_LEAP_SECOND_INFORMATION Interop+StatusOptions Interop+UNICODE_STRING Interop+SECURITY_QUALITY_OF_SERVICE Interop+ImpersonationLevel Interop+ContextTrackingMode Interop+OBJECT_ATTRIBUTES Interop+ObjectAttributes Interop+Ole32 Interop+Secur32 Interop+Shell32 Interop+Ucrtbase Interop+User32 Interop+User32+USEROBJECTFLAGS Interop+LongFileTime Microsoft.Win32.OAVariantLib Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource+<>c Microsoft.Win32.SafeHandles.SafeWaitHandle Microsoft.Win32.SafeHandles.SafeTokenHandle Microsoft.Win32.SafeHandles.SafeThreadHandle Microsoft.Win32.SafeHandles.SafeFindHandle Microsoft.Win32.SafeHandles.SafeThreadPoolIOHandle System.__Canon System.ArgIterator System.ArgIterator+SigPointer System.Array System.Array+ArrayAssignType System.Array+ArrayInitializeCache System.Array+EmptyArray`1[T] System.Array+SorterObjectArray System.Array+SorterGenericArray System.SZArrayHelper System.Attribute System.BadImageFormatException System.Buffer System.ComAwareWeakReference System.ComAwareWeakReference+ComInfo System.Currency System.Decimal System.Decimal+DecCalc System.Decimal+DecCalc+PowerOvfl System.Decimal+DecCalc+Buf12 System.Decimal+DecCalc+Buf16 System.Decimal+DecCalc+Buf24 System.Decimal+DecCalc+Buf28 System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.DelegateBindingFlags System.Enum System.Enum+EnumInfo`1[TStorage] System.Enum+<>c__62`1[TStorage] System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Environment+WindowsVersion System.Exception System.Exception+ExceptionMessageKind System.Exception+DispatchState System.GCCollectionMode System.GCNotificationStatus System.GC System.GC+GC_ALLOC_FLAGS System.GC+StartNoGCRegionStatus System.GC+EndNoGCRegionStatus System.GC+NoGCRegionCallbackFinalizerWorkItem System.GC+EnableNoGCRegionCallbackStatus System.GC+GCConfigurationContext System.GC+GCConfigurationType System.GC+RefreshMemoryStatus System.GC+GCHeapHardLimitInfo System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeTypeHandle+IntroducedMethodEnumerator System.RuntimeMethodHandleInternal System.RuntimeMethodInfoStub System.IRuntimeMethodInfo System.RuntimeMethodHandle System.RuntimeFieldHandleInternal System.IRuntimeFieldInfo System.RuntimeFieldInfoStub System.RuntimeFieldHandle System.ModuleHandle System.Signature System.Resolver System.Resolver+CORINFO_EH_CLAUSE System.RuntimeType System.RuntimeType+ActivatorCache System.RuntimeType+MemberListType System.RuntimeType+ListBuilder`1[T] System.RuntimeType+RuntimeTypeCache System.RuntimeType+RuntimeTypeCache+CacheType System.RuntimeType+RuntimeTypeCache+Filter System.RuntimeType+RuntimeTypeCache+MemberInfoCache`1[T] System.RuntimeType+RuntimeTypeCache+FunctionPointerCache System.RuntimeType+DispatchWrapperType System.RuntimeType+BoxCache System.RuntimeType+CreateUninitializedCache System.RuntimeType+CompositeCacheEntry System.RuntimeType+IGenericCacheEntry System.RuntimeType+IGenericCacheEntry`1[TCache] System.RuntimeType+CheckValueStatus System.TypeNameFormatFlags System.TypeNameKind System.MdUtf8String System.StartupHookProvider System.StartupHookProvider+StartupHookNameOrPath System.String System.String+SearchValuesStorage System.Type System.Type+<>c System.TypedReference System.TypeLoadException System.ValueType System.ValueType+ValueTypeHashCodeStrategy System.__ComObject System.OleAutBinder System.Variant System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppContextConfigHelper System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArrayEnumerator System.SZGenericArrayEnumeratorBase System.SZGenericArrayEnumerator`1[T] System.GenericEmptyEnumeratorBase System.GenericEmptyEnumerator`1[T] System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.ByReference System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.CurrentSystemTimeZone System.DataMisalignedException System.DateOnly System.DateOnly+<>c System.DateTime System.DateTime+LeapSecondCache System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DefaultBinder System.DefaultBinder+Primitives System.DefaultBinder+BinderState System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.Empty System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfoData System.GCMemoryInfo System.Gen2GcCallback System.DateTimeFormat System.DateTimeParse System.DateTimeParse+DTT System.DateTimeParse+TM System.DateTimeParse+DS System.__DTString System.DTSubStringType System.DTSubString System.DateTimeToken System.DateTimeRawInfo System.ParseFailureKind System.ParseFlags System.DateTimeResult System.ParsingInfo System.TokenType System.Guid System.Guid+GuidParseThrowStyle System.Guid+ParseFailure System.Guid+GuidResult System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.TwoObjects System.ThreeObjects System.EightObjects System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtfChar`1[TSelf] System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.LazyState System.LazyHelper System.Lazy`1[T] System.LazyDebugView`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalAppContextSwitches System.LocalDataStoreSlot System.MarshalByRefObject System.Marvin System.MemberAccessException System.Memory`1[T] System.MemoryDebugView`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+SpanSplitEnumeratorMode System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.Number System.Number+BigInteger System.Number+BigInteger+<_blocks>e__FixedBuffer System.Number+DiyFp System.Number+Grisu3 System.Number+IHexOrBinaryParser`1[TInteger] System.Number+HexParser`1[TInteger] System.Number+BinaryParser`1[TInteger] System.Number+NumberBuffer System.Number+NumberBufferKind System.Number+ParsingStatus System.IBinaryIntegerParseAndFormatInfo`1[TSelf] System.IBinaryFloatParseAndFormatInfo`1[TSelf] System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.ParseNumbers System.PasteArguments System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.ProgressStatics System.Random System.Random+ThreadSafeRandom System.Random+ImplBase System.Random+Net5CompatSeedImpl System.Random+Net5CompatDerivedImpl System.Random+CompatPrng System.Random+XoshiroImpl System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.SpanDebugView`1[T] System.SpanHelpers System.SpanHelpers+ComparerComparable`2[T,TComparer] System.SpanHelpers+Block16 System.SpanHelpers+Block64 System.SpanHelpers+INegator`1[T] System.SpanHelpers+DontNegate`1[T] System.SpanHelpers+Negate`1[T] System.PackedSpanHelpers System.PackedSpanHelpers+ITransform System.PackedSpanHelpers+NopTransform System.PackedSpanHelpers+Or20Transform System.SR System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.OrdinalCaseSensitiveComparer System.OrdinalIgnoreCaseComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.ThrowHelper System.ExceptionArgument System.ExceptionResource System.TimeOnly System.TimeOnly+<>c System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TimeZoneInfoResult System.TimeZoneInfo+CachedData System.TimeZoneInfo+StringSerializer System.TimeZoneInfo+StringSerializer+State System.TimeZoneInfo+TransitionTime System.TimeZoneInfo+OffsetAndRule System.TimeZoneInfo+<>c System.TimeZoneInfoOptions System.TimeZoneNotFoundException System.ITupleInternal System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleSlim`2[T1,T2] System.TupleSlim`3[T1,T2,T3] System.TupleSlim`4[T1,T2,T3,T4] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.IValueTupleInternal System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.TimeProvider+SystemTimeProviderTimer System.TimeProvider+SystemTimeProvider System.HexConverter System.HexConverter+Casing System.HexConverter+<>c System.NotImplemented System.Sha1ForNonSecretPurposes System.FixedBufferExtensions System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Private.CoreLib.Strings System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecureString+UnmanagedBuffer System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityElement+<>c System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.FastResourceComparer System.Resources.FileBasedResourceGroveler System.Resources.IResourceGroveler System.Resources.IResourceReader System.Resources.ManifestBasedResourceGroveler System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceFallbackManager System.Resources.ResourceFallbackManager+d__5 System.Resources.ResourceManager System.Resources.ResourceManager+CultureNameResourceSetPair System.Resources.ResourceManager+ResourceManagerMediator System.Resources.ResourceReader System.Resources.ResourceReader+ResourceEnumerator System.Resources.ResourceReader+<>c__DisplayClass7_0`1[TInstance] System.Resources.ResourceLocator System.Resources.ResourceSet System.Resources.ResourceTypeCode System.Resources.RuntimeResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.BitOperations+Crc32Fallback System.Numerics.Matrix3x2 System.Numerics.Matrix3x2+Impl System.Numerics.Matrix4x4 System.Numerics.Matrix4x4+Impl System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.VectorDebugView`1[T] System.Numerics.Crc32ReflectedTable System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Net.WebUtility+UrlDecoder System.Net.WebUtility+HtmlEntities System.Net.WebUtility+<>c System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarData System.Globalization.CalendarData+IcuEnumCalendarsData System.Globalization.CalendarData+EnumData System.Globalization.CalendarData+NlsEnumCalendarsData System.Globalization.CalendarData+<>c System.Globalization.CalendarDataType System.Globalization.CalendarWeekRule System.Globalization.CalendricalCalculationsHelper System.Globalization.CalendricalCalculationsHelper+CorrectionAlgorithm System.Globalization.CalendricalCalculationsHelper+EphemerisCorrectionAlgorithmMap System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareInfo+SortHandleCache System.Globalization.CompareOptions System.Globalization.CultureData System.Globalization.CultureData+LocaleStringData System.Globalization.CultureData+LocaleGroupingData System.Globalization.CultureData+LocaleNumberData System.Globalization.CultureData+EnumLocaleData System.Globalization.CultureData+EnumData System.Globalization.CultureInfo System.Globalization.CultureInfo+<>O System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.MonthNameStyles System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo+TokenHashValue System.Globalization.FORMATFLAGS System.Globalization.CalendarId System.Globalization.DateTimeFormatInfoScanner System.Globalization.DateTimeFormatInfoScanner+FoundDatePattern System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DaylightTimeStruct System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GlobalizationMode System.Globalization.GlobalizationMode+Settings System.Globalization.GregorianCalendar System.Globalization.EraInfo System.Globalization.GregorianCalendarHelper System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HebrewCalendar+DateBuffer System.Globalization.HebrewNumberParsingContext System.Globalization.HebrewNumberParsingState System.Globalization.HebrewNumber System.Globalization.HebrewNumber+HebrewToken System.Globalization.HebrewNumber+HebrewValue System.Globalization.HebrewNumber+HS System.Globalization.HijriCalendar System.Globalization.IcuLocaleDataParts System.Globalization.IcuLocaleData System.Globalization.IdnMapping System.Globalization.InvariantModeCasing System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseCalendar+<>O System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.Normalization System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.Ordinal System.Globalization.OrdinalCasing System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.StrongBidiCategory System.Globalization.SurrogateCasing System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.TextInfo+Tristate System.Globalization.TextInfo+ToUpperConversion System.Globalization.TextInfo+ToLowerConversion System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanFormat System.Globalization.TimeSpanFormat+StandardFormat System.Globalization.TimeSpanFormat+FormatLiterals System.Globalization.TimeSpanParse System.Globalization.TimeSpanParse+TimeSpanStandardStyles System.Globalization.TimeSpanParse+TTT System.Globalization.TimeSpanParse+TimeSpanToken System.Globalization.TimeSpanParse+TimeSpanTokenizer System.Globalization.TimeSpanParse+TimeSpanRawInfo System.Globalization.TimeSpanParse+TimeSpanResult System.Globalization.TimeSpanParse+StringParser System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UmAlQuraCalendar+DateMapping System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.CodeDom.Compiler.IndentedTextWriter+d__23 System.CodeDom.Compiler.IndentedTextWriter+d__38 System.CodeDom.Compiler.IndentedTextWriter+d__39 System.CodeDom.Compiler.IndentedTextWriter+d__40 System.CodeDom.Compiler.IndentedTextWriter+d__41 System.CodeDom.Compiler.IndentedTextWriter+d__42 System.CodeDom.Compiler.IndentedTextWriter+d__61 System.CodeDom.Compiler.IndentedTextWriter+d__62 System.CodeDom.Compiler.IndentedTextWriter+d__63 System.CodeDom.Compiler.IndentedTextWriter+d__64 System.CodeDom.Compiler.IndentedTextWriter+d__65 System.CodeDom.Compiler.IndentedTextWriter+d__66 System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.SpanFunc`5[TSpan,T1,T2,T3,TResult] System.Buffers.ArrayPool`1[T] System.Buffers.ArrayPoolEventSource System.Buffers.ArrayPoolEventSource+BufferAllocatedReason System.Buffers.ArrayPoolEventSource+BufferDroppedReason System.Buffers.ConfigurableArrayPool`1[T] System.Buffers.ConfigurableArrayPool`1+Bucket[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SharedArrayPool`1[T] System.Buffers.SharedArrayPool`1+<>c[T] System.Buffers.SharedArrayPoolThreadLocalArray System.Buffers.SharedArrayPoolPartitions System.Buffers.SharedArrayPoolPartitions+Partition System.Buffers.SharedArrayPoolStatics System.Buffers.Utilities System.Buffers.Utilities+MemoryPressure System.Buffers.Any1CharPackedSearchValues System.Buffers.Any1CharPackedIgnoreCaseSearchValues System.Buffers.Any2CharPackedIgnoreCaseSearchValues System.Buffers.Any3CharPackedSearchValues System.Buffers.Any2CharPackedSearchValues System.Buffers.Any1SearchValues`2[T,TImpl] System.Buffers.Any2SearchValues`2[T,TImpl] System.Buffers.Any3SearchValues`2[T,TImpl] System.Buffers.BitVector256 System.Buffers.BitVector256+<_values>e__FixedBuffer System.Buffers.ProbabilisticMapState System.Buffers.ProbabilisticWithAsciiCharSearchValues`1[TOptimizations] System.Buffers.Any4SearchValues`2[T,TImpl] System.Buffers.Any5SearchValues`2[T,TImpl] System.Buffers.AsciiByteSearchValues System.Buffers.AsciiCharSearchValues`1[TOptimizations] System.Buffers.IndexOfAnyAsciiSearcher System.Buffers.IndexOfAnyAsciiSearcher+AsciiState System.Buffers.IndexOfAnyAsciiSearcher+AnyByteState System.Buffers.IndexOfAnyAsciiSearcher+INegator System.Buffers.IndexOfAnyAsciiSearcher+DontNegate System.Buffers.IndexOfAnyAsciiSearcher+Negate System.Buffers.IndexOfAnyAsciiSearcher+IOptimizations System.Buffers.IndexOfAnyAsciiSearcher+Ssse3AndWasmHandleZeroInNeedle System.Buffers.IndexOfAnyAsciiSearcher+Default System.Buffers.IndexOfAnyAsciiSearcher+IResultMapper`2[T,TResult] System.Buffers.IndexOfAnyAsciiSearcher+ContainsAnyResultMapper`1[T] System.Buffers.IndexOfAnyAsciiSearcher+IndexOfAnyResultMapper`1[T] System.Buffers.AnyByteSearchValues System.Buffers.RangeByteSearchValues System.Buffers.RangeCharSearchValues`1[TShouldUsePacked] System.Buffers.ProbabilisticCharSearchValues System.Buffers.BitmapCharSearchValues System.Buffers.SearchValues System.Buffers.SearchValues+IRuntimeConst System.Buffers.SearchValues+TrueConst System.Buffers.SearchValues+FalseConst System.Buffers.SearchValues`1[T] System.Buffers.SearchValuesDebugView`1[T] System.Buffers.EmptySearchValues`1[T] System.Buffers.ProbabilisticMap System.Buffers.AhoCorasick System.Buffers.AhoCorasick+IFastScan System.Buffers.AhoCorasick+IndexOfAnyAsciiFastScan System.Buffers.AhoCorasick+NoFastScan System.Buffers.AhoCorasickBuilder System.Buffers.AhoCorasickNode System.Buffers.CharacterFrequencyHelper System.Buffers.RabinKarp System.Buffers.StringSearchValuesHelper System.Buffers.StringSearchValuesHelper+IValueLength System.Buffers.StringSearchValuesHelper+ValueLengthLessThan4 System.Buffers.StringSearchValuesHelper+ValueLength4To7 System.Buffers.StringSearchValuesHelper+ValueLength8OrLongerOrUnknown System.Buffers.StringSearchValuesHelper+ICaseSensitivity System.Buffers.StringSearchValuesHelper+CaseSensitive System.Buffers.StringSearchValuesHelper+CaseInsensitiveAsciiLetters System.Buffers.StringSearchValuesHelper+CaseInsensitiveAscii System.Buffers.StringSearchValuesHelper+CaseInsensitiveUnicode System.Buffers.TeddyBucketizer System.Buffers.TeddyHelper System.Buffers.AsciiStringSearchValuesTeddyBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBase`3[TBucketized,TStartCaseSensitivity,TCaseSensitivity] System.Buffers.MultiStringIgnoreCaseSearchValuesFallback System.Buffers.SingleStringSearchValuesThreeChars`2[TValueLength,TCaseSensitivity] System.Buffers.SingleStringSearchValuesFallback`1[TIgnoreCase] System.Buffers.StringSearchValues System.Buffers.StringSearchValues+<>c System.Buffers.StringSearchValuesBase System.Buffers.StringSearchValuesAhoCorasick`2[TCaseSensitivity,TFastScanVariant] System.Buffers.StringSearchValuesRabinKarp`1[TCaseSensitivity] System.Buffers.Text.Base64Helper System.Buffers.Text.Base64Helper+Base64DecoderByte System.Buffers.Text.Base64Helper+IBase64Encoder`1[T] System.Buffers.Text.Base64Helper+IBase64Decoder`1[T] System.Buffers.Text.Base64Helper+IBase64Validatable`1[T] System.Buffers.Text.Base64Helper+Base64CharValidatable System.Buffers.Text.Base64Helper+Base64ByteValidatable System.Buffers.Text.Base64Helper+Base64EncoderByte System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Base64Url+Base64UrlDecoderByte System.Buffers.Text.Base64Url+Base64UrlDecoderChar System.Buffers.Text.Base64Url+Base64UrlEncoderByte System.Buffers.Text.Base64Url+Base64UrlEncoderChar System.Buffers.Text.Base64Url+Base64UrlCharValidatable System.Buffers.Text.Base64Url+Base64UrlByteValidatable System.Buffers.Text.Base64Url+<>c System.Buffers.Text.FormattingHelpers System.Buffers.Text.Utf8Formatter System.Buffers.Text.ParserHelpers System.Buffers.Text.Utf8Parser System.Buffers.Text.Utf8Parser+ParseNumberOptions System.Buffers.Text.Utf8Parser+ComponentParseResult System.Buffers.Text.Utf8Parser+TimeSpanSplitter System.Buffers.Binary.BinaryPrimitives System.Buffers.Binary.BinaryPrimitives+Int16EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int32EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int64EndiannessReverser System.Buffers.Binary.BinaryPrimitives+IEndiannessReverser`1[T] System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.SynchronizationContext+<>c System.Threading.ThreadHandle System.Threading.Thread System.Threading.Thread+StartHelper System.Threading.Thread+LocalDataStore System.Threading.ThreadPool System.Threading.ThreadPool+<>c System.Threading.ThreadPool+d__26 System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.IAsyncLocal System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.IAsyncLocalValueMap System.Threading.AsyncLocalValueMap System.Threading.AsyncLocalValueMap+EmptyAsyncLocalValueMap System.Threading.AsyncLocalValueMap+OneElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+TwoElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ThreeElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+FourElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+MultiElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ManyElementAsyncLocalValueMap System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationToken+<>c System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CancellationTokenSource+States System.Threading.CancellationTokenSource+Linked1CancellationTokenSource System.Threading.CancellationTokenSource+Linked2CancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource+<>c System.Threading.CancellationTokenSource+Registrations System.Threading.CancellationTokenSource+Registrations+d__12 System.Threading.CancellationTokenSource+CallbackNode System.Threading.CancellationTokenSource+CallbackNode+<>c System.Threading.CancellationTokenSource+<>c System.Threading.CompressedStack System.Threading.StackCrawlMark System.Threading.IDeferredDisposable System.Threading.DeferredDisposableLifetime`1[T] System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IOCompletionCallbackHelper System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.Lock+State System.Threading.Lock+TryLockResult System.Threading.Lock+ThreadId System.Threading.LockRecursionException System.Threading.LowLevelLock System.Threading.LowLevelSpinWaiter System.Threading.LowLevelMonitor System.Threading.LowLevelMonitor+Monitor System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterCount System.Threading.ReaderWriterLockSlim System.Threading.ReaderWriterLockSlim+TimeoutTracker System.Threading.ReaderWriterLockSlim+SpinLock System.Threading.ReaderWriterLockSlim+WaiterStates System.Threading.ReaderWriterLockSlim+EnterSpinLockReason System.Threading.ReaderWriterLockSlim+EnterLockType System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SemaphoreSlim+TaskNode System.Threading.SemaphoreSlim+d__31 System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinLock+SystemThreading_SpinLockDebugView System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ProcessorIdCache System.Threading.ThreadAbortException System.Threading.ThreadBlockingInfo System.Threading.ThreadBlockingInfo+Scope System.Threading.ThreadBlockingInfo+ObjectKind System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInt64PersistentCounter System.Threading.ThreadInt64PersistentCounter+ThreadLocalNode System.Threading.ThreadInt64PersistentCounter+ThreadLocalNodeFinalizationHelper System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.ThreadLocal`1+LinkedSlotVolatile[T] System.Threading.ThreadLocal`1+LinkedSlot[T] System.Threading.ThreadLocal`1+IdManager[T] System.Threading.ThreadLocal`1+FinalizationHelper[T] System.Threading.SystemThreading_ThreadLocalDebugView`1[T] System.Threading.ThreadPoolWorkQueue System.Threading.ThreadPoolWorkQueue+WorkStealingQueueList System.Threading.ThreadPoolWorkQueue+WorkStealingQueue System.Threading.ThreadPoolWorkQueue+QueueProcessingStage System.Threading.ThreadPoolWorkQueue+CacheLineSeparated System.Threading.ThreadPoolWorkQueueThreadLocals System.Threading.IThreadPoolTypedWorkItemQueueCallback`1[T] System.Threading.ThreadPoolTypedWorkItemQueue`2[T,TCallback] System.Threading.ThreadPoolTypedWorkItemQueue`2+QueueProcessingStage[T,TCallback] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.QueueUserWorkItemCallbackBase System.Threading.QueueUserWorkItemCallback System.Threading.QueueUserWorkItemCallback+<>c System.Threading.QueueUserWorkItemCallback`1[TState] System.Threading.QueueUserWorkItemCallbackDefaultContext System.Threading.QueueUserWorkItemCallbackDefaultContext`1[TState] System.Threading._ThreadPoolWaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.TimeoutHelper System.Threading.PeriodicTimer System.Threading.PeriodicTimer+State System.Threading.PeriodicTimer+State+<>c System.Threading.PeriodicTimer+<>c System.Threading.TimerCallback System.Threading.TimerQueue System.Threading.TimerQueue+TimerQueueDebuggerTypeProxy System.Threading.TimerQueue+<>O System.Threading.TimerQueue+d__7 System.Threading.TimerQueueTimer System.Threading.TimerQueueTimer+TimerDebuggerTypeProxy System.Threading.TimerQueueTimer+<>c System.Threading.TimerHolder System.Threading.Timer System.Threading.Timer+<>c System.Threading.Volatile System.Threading.Volatile+VolatileBoolean System.Threading.Volatile+VolatileByte System.Threading.Volatile+VolatileInt16 System.Threading.Volatile+VolatileInt32 System.Threading.Volatile+VolatileIntPtr System.Threading.Volatile+VolatileSByte System.Threading.Volatile+VolatileSingle System.Threading.Volatile+VolatileUInt16 System.Threading.Volatile+VolatileUInt32 System.Threading.Volatile+VolatileUIntPtr System.Threading.Volatile+VolatileObject System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.Win32ThreadPoolNativeOverlapped System.Threading.Win32ThreadPoolNativeOverlapped+ExecutionContextCallbackArgs System.Threading.Win32ThreadPoolNativeOverlapped+OverlappedData System.Threading.Win32ThreadPoolNativeOverlapped+<>O System.Threading.ITimer System.Threading.OpenExistingResult System.Threading.AsyncOverSyncWithIoCancellation System.Threading.AsyncOverSyncWithIoCancellation+SyncAsyncWorkItemRegistration System.Threading.AsyncOverSyncWithIoCancellation+<>c System.Threading.AsyncOverSyncWithIoCancellation+d__7`1[TState] System.Threading.AsyncOverSyncWithIoCancellation+d__8`2[TState,TResult] System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.WindowsThreadPool System.Threading.WindowsThreadPool+ThreadCountHolder System.Threading.WindowsThreadPool+WorkingThreadCounter System.Threading.WindowsThreadPool+<>O System.Threading.CompleteWaitThreadPoolWorkItem System.Threading.PortableThreadPool System.Threading.PortableThreadPool+CacheLineSeparated System.Threading.PortableThreadPool+PendingBlockingAdjustment System.Threading.PortableThreadPool+BlockingConfig System.Threading.PortableThreadPool+GateThread System.Threading.PortableThreadPool+GateThread+DelayHelper System.Threading.PortableThreadPool+GateThread+<>O System.Threading.PortableThreadPool+HillClimbing System.Threading.PortableThreadPool+HillClimbing+StateOrTransition System.Threading.PortableThreadPool+HillClimbing+LogEntry System.Threading.PortableThreadPool+HillClimbing+Complex System.Threading.PortableThreadPool+IOCompletionPoller System.Threading.PortableThreadPool+IOCompletionPoller+Callback System.Threading.PortableThreadPool+IOCompletionPoller+Event System.Threading.PortableThreadPool+ThreadCounts System.Threading.PortableThreadPool+WaitThreadNode System.Threading.PortableThreadPool+WaitThread System.Threading.PortableThreadPool+WorkerThread System.Threading.PortableThreadPool+WorkerThread+<>c System.Threading.PortableThreadPool+CountsOfThreadsProcessingUserCallbacks System.Threading.PortableThreadPool+CpuUtilizationReader System.Threading.LowLevelLifoSemaphore System.Threading.LowLevelLifoSemaphore+Counts System.Threading.LowLevelLifoSemaphore+CacheLineSeparatedCounts System.Threading.ThreadPoolBoundHandleOverlapped System.Threading.ThreadPoolCallbackWrapper System.Threading.Tasks.AsyncCausalityStatus System.Threading.Tasks.CausalityRelation System.Threading.Tasks.CausalitySynchronousWork System.Threading.Tasks.CachedCompletedInt32Task System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+CompletionState System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+SchedulerWorkItem System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+<>c System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ProcessingMode System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+<>c System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.SystemThreadingTasks_FutureDebugView`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskFactory`1+FromAsyncTrimPromise`1[TResult,TInstance] System.Threading.Tasks.TaskFactory`1+<>c[TResult] System.Threading.Tasks.TaskFactory`1+<>c__56`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__67`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass32_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass35_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass38_0`1[TResult,TArg1] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass41_0`2[TResult,TArg1,TArg2] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass44_0`3[TResult,TArg1,TArg2,TArg3] System.Threading.Tasks.LoggingExtensions System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.Task+TaskStateFlags System.Threading.Tasks.Task+ContingentProperties System.Threading.Tasks.Task+CancellationPromise`1[TResult] System.Threading.Tasks.Task+CancellationPromise`1+<>c[TResult] System.Threading.Tasks.Task+SetOnInvokeMres System.Threading.Tasks.Task+SetOnCountdownMres System.Threading.Tasks.Task+DelayPromise System.Threading.Tasks.Task+DelayPromiseWithCancellation System.Threading.Tasks.Task+DelayPromiseWithCancellation+<>c System.Threading.Tasks.Task+WhenAllPromise System.Threading.Tasks.Task+WhenAllPromise+<>c__DisplayClass2_0 System.Threading.Tasks.Task+WhenAllPromise`1[T] System.Threading.Tasks.Task+TwoTaskWhenAnyPromise`1[TTask] System.Threading.Tasks.Task+WhenEachState System.Threading.Tasks.Task+WhenEachState+d__15`1[T] System.Threading.Tasks.Task+<>c System.Threading.Tasks.CompletionActionInvoker System.Threading.Tasks.SystemThreadingTasks_TaskDebugView System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.InternalTaskOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.VoidTaskResult System.Threading.Tasks.ITaskCompletionAction System.Threading.Tasks.UnwrapPromise`1[TResult] System.Threading.Tasks.UnwrapPromise`1+<>c[TResult] System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskAsyncEnumerableExtensions+ManualResetEventWithAwaiterSupport System.Threading.Tasks.TaskAsyncEnumerableExtensions+d__3`1[T] System.Threading.Tasks.TaskCache System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.ContinuationTaskFromTask System.Threading.Tasks.ContinuationResultTaskFromTask`1[TResult] System.Threading.Tasks.ContinuationTaskFromResultTask`1[TAntecedentResult] System.Threading.Tasks.ContinuationResultTaskFromResultTask`2[TAntecedentResult,TResult] System.Threading.Tasks.TaskContinuation System.Threading.Tasks.ContinueWithTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>O System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c__DisplayClass6_0 System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation+<>c System.Threading.Tasks.AwaitTaskContinuation System.Threading.Tasks.AwaitTaskContinuation+<>c System.Threading.Tasks.TaskExceptionHolder System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise`1[T] System.Threading.Tasks.TaskFactory+CompleteOnInvokePromise`1[TTask] System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskScheduler+SystemThreadingTasks_TaskSchedulerDebugView System.Threading.Tasks.SynchronizationContextTaskScheduler System.Threading.Tasks.SynchronizationContextTaskScheduler+<>c System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ThreadPoolTaskScheduler System.Threading.Tasks.ThreadPoolTaskScheduler+<>c System.Threading.Tasks.ThreadPoolTaskScheduler+d__6 System.Threading.Tasks.TplEventSource System.Threading.Tasks.TplEventSource+TaskWaitBehavior System.Threading.Tasks.TplEventSource+Tasks System.Threading.Tasks.TplEventSource+Keywords System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask+<>c System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask+<>c[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.TaskToAsyncResult+TaskAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Threading.Tasks.Sources.CapturedSchedulerAndExecutionContext System.Threading.Tasks.Sources.ManualResetValueTaskSourceCoreShared System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+ChunkEnumerator+ManyChunkInfo System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.Ascii+ToUpperConversion System.Text.Ascii+ToLowerConversion System.Text.Ascii+ILoader`2[TLeft,TRight] System.Text.Ascii+PlainLoader`1[T] System.Text.Ascii+WideningLoader System.Text.ASCIIEncoding System.Text.ASCIIEncoding+ASCIIEncodingSealed System.Text.CodePageDataItem System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderNLS System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderLatin1BestFitFallback System.Text.EncoderLatin1BestFitFallbackBuffer System.Text.EncoderNLS System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.Encoding+DefaultEncoder System.Text.Encoding+DefaultDecoder System.Text.Encoding+EncodingCharBuffer System.Text.Encoding+EncodingByteBuffer System.Text.EncodingTable System.Text.EncodingInfo System.Text.EncodingProvider System.Text.Latin1Encoding System.Text.Latin1Encoding+Latin1EncodingSealed System.Text.Latin1Utility System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.TranscodingStream System.Text.TranscodingStream+<g__DisposeAsyncCore|30_0>d System.Text.TranscodingStream+<g__ReadAsyncCore|41_0>d System.Text.TranscodingStream+<g__WriteAsyncCore|50_0>d System.Text.TrimType System.Text.UnicodeEncoding System.Text.UnicodeEncoding+Decoder System.Text.UnicodeUtility System.Text.UTF32Encoding System.Text.UTF32Encoding+UTF32Decoder System.Text.UTF7Encoding System.Text.UTF7Encoding+Decoder System.Text.UTF7Encoding+Encoder System.Text.UTF7Encoding+DecoderUTF7Fallback System.Text.UTF7Encoding+DecoderUTF7FallbackBuffer System.Text.UTF8Encoding System.Text.UTF8Encoding+UTF8EncodingSealed System.Text.ValueStringBuilder System.Text.StringBuilderCache System.Text.Unicode.GraphemeClusterBreakType System.Text.Unicode.TextSegmentationUtility System.Text.Unicode.TextSegmentationUtility+DecodeFirstRune`1[T] System.Text.Unicode.TextSegmentationUtility+Processor`1[T] System.Text.Unicode.Utf16Utility System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Text.Unicode.Utf8Utility System.StubHelpers.AnsiCharMarshaler System.StubHelpers.CSTRMarshaler System.StubHelpers.UTF8BufferMarshaler System.StubHelpers.BSTRMarshaler System.StubHelpers.VBByValStrMarshaler System.StubHelpers.AnsiBSTRMarshaler System.StubHelpers.FixedWSTRMarshaler System.StubHelpers.ObjectMarshaler System.StubHelpers.HandleMarshaler System.StubHelpers.DateMarshaler System.StubHelpers.InterfaceMarshaler System.StubHelpers.MngdNativeArrayMarshaler System.StubHelpers.MngdNativeArrayMarshaler+MarshalerState System.StubHelpers.MngdFixedArrayMarshaler System.StubHelpers.MngdFixedArrayMarshaler+MarshalerState System.StubHelpers.MngdSafeArrayMarshaler System.StubHelpers.MngdRefCustomMarshaler System.StubHelpers.AsAnyMarshaler System.StubHelpers.AsAnyMarshaler+BackPropAction System.StubHelpers.CleanupWorkListElement System.StubHelpers.KeepAliveCleanupWorkListElement System.StubHelpers.SafeHandleCleanupWorkListElement System.StubHelpers.StubHelpers System.Runtime.ControlledExecution System.Runtime.ControlledExecution+Canceler System.Runtime.ControlledExecution+<>c System.Runtime.DependentHandle System.Runtime.RhFailFastReason System.Runtime.EH System.Runtime.EH+RhEHClauseKind System.Runtime.EH+RhEHClause System.Runtime.EH+EHEnum System.Runtime.EH+MethodRegionInfo System.Runtime.EH+PAL_LIMITED_CONTEXT System.Runtime.EH+ExKind System.Runtime.EH+ExInfo System.Runtime.ExceptionIDs System.Runtime.REGDISPLAY System.Runtime.StackFrameIterator System.Runtime.GCSettings System.Runtime.GCSettings+SetLatencyModeStatus System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCFrameRegistration System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.SxSRequirements System.Runtime.Versioning.VersioningHelper System.Runtime.Versioning.NonVersionableAttribute System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.DeserializationTracker System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+InternalState System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyLoadContext+d__88 System.Runtime.Loader.AssemblyLoadContext+d__58 System.Runtime.Loader.DefaultAssemblyLoadContext System.Runtime.Loader.IndividualAssemblyLoadContext System.Runtime.Loader.LibraryNameVariation System.Runtime.Loader.LibraryNameVariation+d__4 System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Loader.AssemblyDependencyResolver+<>c__DisplayClass6_0 System.Runtime.Intrinsics.ISimdVector`2[TSelf,T] System.Runtime.Intrinsics.Scalar`1[T] System.Runtime.Intrinsics.SimdVectorExtensions System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector128DebugView`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector256DebugView`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector512DebugView`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Vector64DebugView`1[T] System.Runtime.Intrinsics.VectorMath System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.DynamicInterfaceCastableHelpers System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.Marshal+<>O System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.MemoryMarshal+<g__FromArray|18_2>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromMemoryManager|18_1>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromString|18_0>d`1[T] System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappersScenario System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch+ComInterfaceInstance System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.IDispatch System.Runtime.InteropServices.InvokeFlags System.Runtime.InteropServices.ComEventsMethod System.Runtime.InteropServices.ComEventsMethod+DelegateWrapper System.Runtime.InteropServices.ComEventsSink System.Runtime.InteropServices.BuiltInInteropVariantExtensions System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.ComEventsInfo System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PosixSignalRegistration+Token System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.IMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ComVariant+TypeUnion System.Runtime.InteropServices.Marshalling.ComVariant+Record System.Runtime.InteropServices.Marshalling.ComVariant+Blob System.Runtime.InteropServices.Marshalling.ComVariant+Vector`1[T] System.Runtime.InteropServices.Marshalling.ComVariant+VersionedStream System.Runtime.InteropServices.Marshalling.ComVariant+ClipboardData System.Runtime.InteropServices.Marshalling.ComVariant+UnionTypes System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.CustomMarshalers.ComDataHelpers System.Runtime.InteropServices.CustomMarshalers.EnumVariantViewOfEnumerator System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumerableViewOfDispatch System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumeratorViewOfEnumVariant System.Runtime.InteropServices.CustomMarshalers.ExpandoToDispatchExMarshaler System.Runtime.InteropServices.CustomMarshalers.TypeToTypeInfoMarshaler System.Runtime.InteropServices.ComTypes.IEnumerable System.Runtime.InteropServices.ComTypes.IEnumerator System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.InternalCalls System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.CastHelpers System.Runtime.CompilerServices.ICastableHelpers System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.RawData System.Runtime.CompilerServices.RawArrayData System.Runtime.CompilerServices.MethodTable System.Runtime.CompilerServices.MethodTableAuxiliaryData System.Runtime.CompilerServices.TypeHandle System.Runtime.CompilerServices.PortableTailCallFrame System.Runtime.CompilerServices.TailCallTls System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncMethodBuilderCore+ContinuationWrapper System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+DebugFinalizableAsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+AsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CastResult System.Runtime.CompilerServices.CastCache System.Runtime.CompilerServices.CastCache+CastCacheEntry System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompExactlyDependsOnAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Enumerator[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Entry[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Container[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+<>c[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.FormattableStringFactory+ConcreteFormattableString System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.IAsyncStateMachineBox System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IntrinsicAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+SyncSuccessSentinelStateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StackAllocatedBox`1[T] System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter+<>c System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ITaskAwaiter System.Runtime.CompilerServices.IConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter+<>c System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.IStateMachineBoxAwareAwaiter System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter+<>c System.Runtime.CompilerServices.StringHandleOnStack System.Runtime.CompilerServices.ObjectHandleOnStack System.Runtime.CompilerServices.StackCrawlMarkHandle System.Runtime.CompilerServices.QCallModule System.Runtime.CompilerServices.QCallAssembly System.Runtime.CompilerServices.QCallTypeHandle System.Reflection.Assembly System.Reflection.Assembly+<>O System.Reflection.NativeAssemblyNameParts System.Reflection.AssemblyName System.Reflection.Associates System.Reflection.Associates+Attributes System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.LoaderAllocatorScout System.Reflection.LoaderAllocator System.Reflection.MdConstant System.Reflection.MdFieldInfo System.Reflection.MdSigCallingConvention System.Reflection.PInvokeAttributes System.Reflection.MethodSemanticsAttributes System.Reflection.MetadataTokenType System.Reflection.ConstArray System.Reflection.MetadataToken System.Reflection.MetadataEnumResult System.Reflection.MetadataEnumResult+SmallIntArray System.Reflection.MetadataImport System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodBase+InvokerStrategy System.Reflection.MethodBase+InvokerArgFlags System.Reflection.MethodBase+ArgumentData`1[T] System.Reflection.MethodBase+StackAllocatedArguments System.Reflection.MethodBase+StackAllocatedArgumentsWithCopyBack System.Reflection.MethodBase+StackAllocatedByRefs System.Reflection.MethodBaseInvoker System.Reflection.MethodInvoker System.Reflection.ModifiedType System.Reflection.ModifiedType+TypeSignature System.Reflection.RtFieldInfo System.Reflection.RuntimeAssembly System.Reflection.RuntimeAssembly+ManifestResourceStream System.Reflection.RuntimeConstructorInfo System.Reflection.RuntimeCustomAttributeData System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeRecord System.Reflection.CustomAttributeEncoding System.Reflection.PrimitiveValue System.Reflection.CustomAttributeEncodedArgument System.Reflection.CustomAttributeEncodedArgument+CustomAttributeDataParser System.Reflection.CustomAttributeCtorParameter System.Reflection.CustomAttributeNamedParameter System.Reflection.CustomAttributeType System.Reflection.CustomAttribute System.Reflection.PseudoCustomAttribute System.Reflection.RuntimeEventInfo System.Reflection.RuntimeExceptionHandlingClause System.Reflection.RuntimeFieldInfo System.Reflection.RuntimeLocalVariableInfo System.Reflection.RuntimeMethodBody System.Reflection.RuntimeMethodInfo System.Reflection.RuntimeModule System.Reflection.RuntimeParameterInfo System.Reflection.RuntimePropertyInfo System.Reflection.TypeNameResolver System.Reflection.CerHashtable`2[K,V] System.Reflection.CerHashtable`2+Table[K,V] System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameHelpers System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CorElementType System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAccessor System.Reflection.FieldAccessor+FieldAccessorType System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.InvocationFlags System.Reflection.InvokerEmitUtil System.Reflection.InvokerEmitUtil+InvokeFunc_RefArgs System.Reflection.InvokerEmitUtil+InvokeFunc_ObjSpanArgs System.Reflection.InvokerEmitUtil+InvokeFunc_Obj4Args System.Reflection.InvokerEmitUtil+ThrowHelper System.Reflection.InvokerEmitUtil+Methods System.Reflection.InvokeUtils System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.MethodInvokerCommon System.Reflection.Missing System.Reflection.ModifiedHasElementType System.Reflection.ModifiedFunctionPointerType System.Reflection.ModifiedGenericType System.Reflection.Module System.Reflection.Module+<>c System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.NullabilityInfoContext+NotAnnotatedStatus System.Reflection.NullabilityInfoContext+NullableAttributeStateParser System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.SignatureArrayType System.Reflection.SignatureByRefType System.Reflection.SignatureCallingConvention System.Reflection.SignatureConstructedGenericType System.Reflection.SignatureGenericMethodParameterType System.Reflection.SignatureGenericParameterType System.Reflection.SignatureHasElementType System.Reflection.SignaturePointerType System.Reflection.SignatureType System.Reflection.SignatureTypeExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.TypeInfo+d__10 System.Reflection.TypeInfo+d__22 System.Reflection.AssemblyNameParser System.Reflection.AssemblyNameParser+AssemblyNameParts System.Reflection.AssemblyNameParser+Token System.Reflection.AssemblyNameParser+AttributeKind System.Reflection.AssemblyNameFormatter System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler System.Reflection.Metadata.TypeNameParseOptions System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Metadata.AssemblyNameInfo System.Reflection.Metadata.TypeName System.Reflection.Metadata.TypeNameHelpers System.Reflection.Metadata.TypeNameParser System.Reflection.Metadata.TypeNameParserHelpers System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILGenerator System.Reflection.Emit.DynamicResolver System.Reflection.Emit.DynamicResolver+DestroyScout System.Reflection.Emit.DynamicResolver+SecurityControlFlags System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicScope System.Reflection.Emit.GenericMethodInfo System.Reflection.Emit.GenericFieldInfo System.Reflection.Emit.VarArgMethod System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.AssemblyBuilder+ForceAllowDynamicCodeScope System.Reflection.Emit.RuntimeAssemblyBuilder System.Reflection.Emit.RuntimeConstructorBuilder System.Reflection.Emit.RuntimeEnumBuilder System.Reflection.Emit.RuntimeEventBuilder System.Reflection.Emit.RuntimeFieldBuilder System.Reflection.Emit.RuntimeGenericTypeParameterBuilder System.Reflection.Emit.RuntimeILGenerator System.Reflection.Emit.__LabelInfo System.Reflection.Emit.__FixupData System.Reflection.Emit.__ExceptionInfo System.Reflection.Emit.ScopeAction System.Reflection.Emit.ScopeTree System.Reflection.Emit.RuntimeLocalBuilder System.Reflection.Emit.RuntimeMethodBuilder System.Reflection.Emit.LocalSymInfo System.Reflection.Emit.ExceptionHandler System.Reflection.Emit.RuntimeModuleBuilder System.Reflection.Emit.RuntimeParameterBuilder System.Reflection.Emit.RuntimePropertyBuilder System.Reflection.Emit.RuntimeTypeBuilder System.Reflection.Emit.RuntimeTypeBuilder+CustAttr System.Reflection.Emit.SignatureHelper System.Reflection.Emit.SymbolMethod System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.ConstructorOnTypeBuilderInstantiation System.Reflection.Emit.EmptyCAHolder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FieldOnTypeBuilderInstantiation System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.MethodBuilderInstantiation System.Reflection.Emit.MethodOnTypeBuilderInstantiation System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodeValues System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeKind System.Reflection.Emit.SymbolType System.Reflection.Emit.TypeBuilder System.Reflection.Emit.TypeBuilderInstantiation System.Reflection.Emit.TypeNameBuilder System.Reflection.Emit.TypeNameBuilder+Format System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.BufferedStream+d__68 System.IO.BufferedStream+d__33 System.IO.BufferedStream+d__36 System.IO.BufferedStream+d__40 System.IO.BufferedStream+d__48 System.IO.BufferedStream+d__59 System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EncodingCache System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.File+<g__Core|67_0>d System.IO.File+<g__Core|103_0>d System.IO.File+d__100 System.IO.File+d__101 System.IO.File+d__106 System.IO.File+d__94 System.IO.File+d__110 System.IO.File+d__124 System.IO.File+d__122 System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStream+d__57 System.IO.FileStreamOptions System.IO.FileSystem System.IO.FileSystem+<>c__DisplayClass50_0 System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.Iterator`1[TSource] System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.Path+JoinInternalState System.IO.Path+<>c System.IO.PathTooLongException System.IO.PinnedBufferMemoryStream System.IO.RandomAccess System.IO.RandomAccess+CallbackResetEvent System.IO.RandomAccess+IMemoryHandler`1[T] System.IO.RandomAccess+MemoryHandler System.IO.RandomAccess+ReadOnlyMemoryHandler System.IO.RandomAccess+<>c System.IO.RandomAccess+d__31 System.IO.RandomAccess+d__29 System.IO.RandomAccess+d__35 System.IO.RandomAccess+d__33 System.IO.ReadLinesIterator System.IO.SearchOption System.IO.SearchTarget System.IO.SeekOrigin System.IO.Stream System.IO.Stream+ReadWriteParameters System.IO.Stream+ReadWriteTask System.IO.Stream+ReadWriteTask+<>O System.IO.Stream+NullStream System.IO.Stream+SyncStream System.IO.Stream+<g__Core|27_0>d System.IO.Stream+<g__FinishReadAsync|42_0>d System.IO.Stream+<>c System.IO.Stream+d__61 System.IO.Stream+d__46 System.IO.StreamReader System.IO.StreamReader+NullStreamReader System.IO.StreamReader+d__69 System.IO.StreamReader+d__72 System.IO.StreamReader+d__63 System.IO.StreamReader+d__66 System.IO.StreamWriter System.IO.StreamWriter+NullStreamWriter System.IO.StreamWriter+<g__Core|79_0>d System.IO.StreamWriter+d__37 System.IO.StreamWriter+d__67 System.IO.StreamWriter+d__71 System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextReader+SyncTextReader System.IO.TextReader+<>c System.IO.TextReader+d__23 System.IO.TextReader+d__17 System.IO.TextWriter System.IO.TextWriter+NullTextWriter System.IO.TextWriter+SyncTextWriter System.IO.TextWriter+BroadcastingTextWriter System.IO.TextWriter+BroadcastingTextWriter+d__10 System.IO.TextWriter+BroadcastingTextWriter+d__12 System.IO.TextWriter+BroadcastingTextWriter+d__13 System.IO.TextWriter+BroadcastingTextWriter+d__55 System.IO.TextWriter+BroadcastingTextWriter+d__56 System.IO.TextWriter+BroadcastingTextWriter+d__57 System.IO.TextWriter+BroadcastingTextWriter+d__58 System.IO.TextWriter+BroadcastingTextWriter+d__59 System.IO.TextWriter+BroadcastingTextWriter+d__60 System.IO.TextWriter+BroadcastingTextWriter+d__61 System.IO.TextWriter+BroadcastingTextWriter+d__62 System.IO.TextWriter+BroadcastingTextWriter+d__63 System.IO.TextWriter+BroadcastingTextWriter+d__64 System.IO.TextWriter+BroadcastingTextWriter+d__65 System.IO.TextWriter+<g__WriteAsyncCore|62_0>d System.IO.TextWriter+<g__WriteLineAsyncCore|68_0>d System.IO.TextWriter+<>c System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.UnmanagedMemoryStreamWrapper System.IO.PathInternal System.IO.DisableMediaInsertionPrompt System.IO.DriveInfoInternal System.IO.PathHelper System.IO.Win32Marshal System.IO.Strategies.BufferedFileStreamStrategy System.IO.Strategies.BufferedFileStreamStrategy+d__57 System.IO.Strategies.BufferedFileStreamStrategy+d__27 System.IO.Strategies.BufferedFileStreamStrategy+d__55 System.IO.Strategies.BufferedFileStreamStrategy+d__37 System.IO.Strategies.BufferedFileStreamStrategy+d__36 System.IO.Strategies.BufferedFileStreamStrategy+d__48 System.IO.Strategies.BufferedFileStreamStrategy+d__47 System.IO.Strategies.DerivedFileStreamStrategy System.IO.Strategies.FileStreamHelpers System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable+<>c System.IO.Strategies.FileStreamHelpers+<>c System.IO.Strategies.FileStreamHelpers+d__21 System.IO.Strategies.FileStreamStrategy System.IO.Strategies.OSFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy+d__5 System.IO.Strategies.SyncWindowsFileStreamStrategy System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemEnumerable`1+DelegateEnumerator[TResult] System.IO.Enumeration.FileSystemEnumerableFactory System.IO.Enumeration.FileSystemEnumerableFactory+<>c System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass2_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass3_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass4_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass5_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass6_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass7_0 System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.Debugger+CrossThreadDependencyNotification System.Diagnostics.EditAndContinueHelper System.Diagnostics.ICustomDebuggerNotification System.Diagnostics.StackFrame System.Diagnostics.StackFrameHelper System.Diagnostics.StackFrameHelper+GetSourceLineInfoDelegate System.Diagnostics.StackTrace System.Diagnostics.StackTrace+TraceFormat System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DebugProvider+DebugAssertException System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.ActivityTracker System.Diagnostics.Tracing.ActivityTracker+ActivityInfo System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.CounterGroup System.Diagnostics.Tracing.CounterGroup+<>O System.Diagnostics.Tracing.CounterPayload System.Diagnostics.Tracing.CounterPayload+d__51 System.Diagnostics.Tracing.IncrementingCounterPayload System.Diagnostics.Tracing.IncrementingCounterPayload+d__39 System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.CounterPayloadType System.Diagnostics.Tracing.EventDescriptor System.Diagnostics.Tracing.EventPipeEventInstanceData System.Diagnostics.Tracing.EventPipeSessionInfo System.Diagnostics.Tracing.EventPipeProviderConfiguration System.Diagnostics.Tracing.EventPipeSerializationFormat System.Diagnostics.Tracing.EventPipeInternal System.Diagnostics.Tracing.EventPipeInternal+EventPipeProviderConfigurationNative System.Diagnostics.Tracing.EventPipeEventDispatcher System.Diagnostics.Tracing.EventPipeEventDispatcher+EventListenerSubscription System.Diagnostics.Tracing.EventPipeEventDispatcher+<>c__DisplayClass12_0 System.Diagnostics.Tracing.EventPipeEventProvider System.Diagnostics.Tracing.EventPipeMetadataGenerator System.Diagnostics.Tracing.EventParameterInfo System.Diagnostics.Tracing.EventPipePayloadDecoder System.Diagnostics.Tracing.EventProviderType System.Diagnostics.Tracing.ControllerCommand System.Diagnostics.Tracing.EventProvider System.Diagnostics.Tracing.EventProvider+EventData System.Diagnostics.Tracing.EventProvider+WriteEventErrorCode System.Diagnostics.Tracing.EtwEventProvider System.Diagnostics.Tracing.EtwEventProvider+SessionInfo System.Diagnostics.Tracing.EtwEventProvider+SessionInfoCallback System.Diagnostics.Tracing.EtwEventProvider+<>O System.Diagnostics.Tracing.EventProviderImpl System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSource+EventData System.Diagnostics.Tracing.EventSource+OverrideEventProvider System.Diagnostics.Tracing.EventSource+EventMetadata System.Diagnostics.Tracing.EventSource+<>O System.Diagnostics.Tracing.EventSourceInitHelper System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventListener+<>c System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs+MoreEventInfo System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventChannelAttribute System.Diagnostics.Tracing.EventChannelType System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.SessionMask System.Diagnostics.Tracing.EventDispatcher System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.ManifestBuilder System.Diagnostics.Tracing.ManifestBuilder+ChannelInfo System.Diagnostics.Tracing.ManifestBuilder+<>c System.Diagnostics.Tracing.ManifestEnvelope System.Diagnostics.Tracing.ManifestEnvelope+ManifestFormats System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.FrameworkEventSource System.Diagnostics.Tracing.FrameworkEventSource+Keywords System.Diagnostics.Tracing.FrameworkEventSource+Tasks System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingEventCounterPayloadType System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.IncrementingPollingCounterPayloadType System.Diagnostics.Tracing.NativeRuntimeEventSource System.Diagnostics.Tracing.NativeRuntimeEventSource+Messages System.Diagnostics.Tracing.NativeRuntimeEventSource+Tasks System.Diagnostics.Tracing.NativeRuntimeEventSource+Opcodes System.Diagnostics.Tracing.NativeRuntimeEventSource+ContentionFlagsMap System.Diagnostics.Tracing.NativeRuntimeEventSource+ThreadAdjustmentReasonMap System.Diagnostics.Tracing.NativeRuntimeEventSource+WaitHandleWaitSourceMap System.Diagnostics.Tracing.NativeRuntimeEventSource+Keywords System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.PollingPayloadType System.Diagnostics.Tracing.RuntimeEventSource System.Diagnostics.Tracing.RuntimeEventSource+Keywords System.Diagnostics.Tracing.RuntimeEventSource+EventId System.Diagnostics.Tracing.RuntimeEventSource+<>O System.Diagnostics.Tracing.RuntimeEventSource+<>c System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.ArrayTypeInfo System.Diagnostics.Tracing.ConcurrentSet`2[KeyType,ItemType] System.Diagnostics.Tracing.ConcurrentSetItem`2[KeyType,ItemType] System.Diagnostics.Tracing.DataCollector System.Diagnostics.Tracing.EmptyStruct System.Diagnostics.Tracing.EnumerableTypeInfo System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventPayload System.Diagnostics.Tracing.EventPayload+d__17 System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.FieldMetadata System.Diagnostics.Tracing.InvokeTypeInfo System.Diagnostics.Tracing.NameInfo System.Diagnostics.Tracing.PropertyAnalysis System.Diagnostics.Tracing.PropertyValue System.Diagnostics.Tracing.PropertyValue+Scalar System.Diagnostics.Tracing.PropertyValue+TypeHelper System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_0[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_10[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_11[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_12[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_13[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_14[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_15[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_16[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_17[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_18[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_19[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_2[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_20[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_3[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_4[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_5[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_6[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_7[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_8[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_9[TContainer] System.Diagnostics.Tracing.PropertyValue+<>c System.Diagnostics.Tracing.PropertyValue+<>c__DisplayClass33_0 System.Diagnostics.Tracing.SimpleEventTypes`1[T] System.Diagnostics.Tracing.NullTypeInfo System.Diagnostics.Tracing.ScalarTypeInfo System.Diagnostics.Tracing.ScalarArrayTypeInfo System.Diagnostics.Tracing.StringTypeInfo System.Diagnostics.Tracing.DateTimeTypeInfo System.Diagnostics.Tracing.DateTimeOffsetTypeInfo System.Diagnostics.Tracing.TimeSpanTypeInfo System.Diagnostics.Tracing.DecimalTypeInfo System.Diagnostics.Tracing.NullableTypeInfo System.Diagnostics.Tracing.Statics System.Diagnostics.Tracing.Statics+<>O System.Diagnostics.Tracing.TraceLoggingDataCollector System.Diagnostics.Tracing.TraceLoggingDataType System.Diagnostics.Tracing.TraceLoggingEventHandleTable System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.TraceLoggingEventTypes System.Diagnostics.Tracing.TraceLoggingMetadataCollector System.Diagnostics.Tracing.TraceLoggingMetadataCollector+Impl System.Diagnostics.Tracing.TraceLoggingTypeInfo System.Diagnostics.Tracing.TypeAnalysis System.Diagnostics.Tracing.RuntimeEventSourceHelper System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.EmptyReadOnlyDictionaryInternal System.Collections.EmptyReadOnlyDictionaryInternal+NodeEnumerator System.Collections.ArrayList System.Collections.ArrayList+IListWrapper System.Collections.ArrayList+IListWrapper+IListWrapperEnumWrapper System.Collections.ArrayList+SyncArrayList System.Collections.ArrayList+SyncIList System.Collections.ArrayList+FixedSizeList System.Collections.ArrayList+FixedSizeArrayList System.Collections.ArrayList+ReadOnlyList System.Collections.ArrayList+ReadOnlyArrayList System.Collections.ArrayList+ArrayListEnumerator System.Collections.ArrayList+Range System.Collections.ArrayList+ArrayListEnumeratorSimple System.Collections.ArrayList+ArrayListDebugView System.Collections.Comparer System.Collections.CompatibleComparer System.Collections.DictionaryEntry System.Collections.HashHelpers System.Collections.Hashtable System.Collections.Hashtable+Bucket System.Collections.Hashtable+KeyCollection System.Collections.Hashtable+ValueCollection System.Collections.Hashtable+SyncHashtable System.Collections.Hashtable+HashtableEnumerator System.Collections.Hashtable+HashtableDebugView System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal+NodeEnumerator System.Collections.ListDictionaryInternal+NodeKeyValueCollection System.Collections.ListDictionaryInternal+NodeKeyValueCollection+NodeKeyValueEnumerator System.Collections.ListDictionaryInternal+DictionaryNode System.Collections.ListDictionaryInternal+ListDictionaryInternalDebugView System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.CollectionHelpers System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+DictionaryEnumerator[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.ConcurrentQueue`1+d__26[T] System.Collections.Concurrent.ConcurrentQueueSegment`1[T] System.Collections.Concurrent.ConcurrentQueueSegment`1+Slot[T] System.Collections.Concurrent.PaddedHeadAndTail System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Concurrent.IProducerConsumerCollectionDebugView`1[T] System.Collections.Concurrent.IProducerConsumerQueue`1[T] System.Collections.Concurrent.MultiProducerMultiConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+Segment[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SegmentState[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SingleProducerSingleConsumerQueue_DebugView[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+d__15[T] System.Collections.Generic.IArraySortHelper`1[TKey] System.Collections.Generic.ArraySortHelper`1[T] System.Collections.Generic.GenericArraySortHelper`1[T] System.Collections.Generic.IArraySortHelper`2[TKey,TValue] System.Collections.Generic.ArraySortHelper`2[TKey,TValue] System.Collections.Generic.GenericArraySortHelper`2[TKey,TValue] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EnumComparer`1[T] System.Collections.Generic.ComparerHelpers System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.EqualityComparer`1+<>c[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.ArrayBuilder`1[T] System.Collections.Generic.SortUtils System.Collections.Generic.CollectionExtensions System.Collections.Generic.ComparisonComparer`1[T] System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+CollectionsMarshalHelper[TKey,TValue] System.Collections.Generic.Dictionary`2+Entry[TKey,TValue] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.DebugViewDictionaryItem`2[TKey,TValue] System.Collections.Generic.DelegateEqualityComparer`1[T] System.Collections.Generic.StringEqualityComparer System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Entry[T] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.HashSetEqualityComparer`1[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.ICollectionDebugView`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IDictionaryDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryKeyCollectionDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryValueCollectionDebugView`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IInternalStringEqualityComparer System.Collections.Generic.IList`1[T] System.Collections.Generic.InsertionBehavior System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.QueueDebugView`1[T] System.Collections.Generic.RandomizedStringEqualityComparer System.Collections.Generic.RandomizedStringEqualityComparer+MarvinSeed System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ValueListBuilder`1[T] System.Collections.Generic.EnumerableHelpers System.Collections.Generic.BitHelper Internal.Console Internal.Console+Error Internal.PaddingFor32 Internal.PaddedReference Internal.Win32.RegistryKey Internal.Win32.Registry Internal.Win32.SafeHandles.SafeRegistryHandle Internal.Runtime.InteropServices.ComActivationContextInternal Internal.Runtime.InteropServices.ComponentActivator Internal.Runtime.InteropServices.ComponentActivator+ComponentEntryPoint Internal.Runtime.InteropServices.ComponentActivator+<>c__DisplayClass15_0 Internal.Runtime.InteropServices.LICINFO Internal.Runtime.InteropServices.IClassFactory Internal.Runtime.InteropServices.IClassFactory2 Internal.Runtime.InteropServices.ComActivationContext Internal.Runtime.InteropServices.ComActivator Internal.Runtime.InteropServices.ComActivator+BasicClassFactory Internal.Runtime.InteropServices.ComActivator+LicenseClassFactory Internal.Runtime.InteropServices.ComActivator+<>c__DisplayClass16_0 Internal.Runtime.InteropServices.LicenseInteropProxy Internal.Runtime.InteropServices.InMemoryAssemblyLoader Internal.Runtime.InteropServices.InMemoryAssemblyLoader+<>c__DisplayClass7_0 Internal.Runtime.InteropServices.IsolatedComponentLoadContext Internal.Runtime.CompilerHelpers.ThrowHelpers +__StaticArrayInitTypeSize=3 +__StaticArrayInitTypeSize=5 +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=16_Align=2 +__StaticArrayInitTypeSize=16_Align=4 +__StaticArrayInitTypeSize=17 +__StaticArrayInitTypeSize=21 +__StaticArrayInitTypeSize=24_Align=8 +__StaticArrayInitTypeSize=28_Align=2 +__StaticArrayInitTypeSize=28_Align=4 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=32_Align=4 +__StaticArrayInitTypeSize=32_Align=8 +__StaticArrayInitTypeSize=33 +__StaticArrayInitTypeSize=34 +__StaticArrayInitTypeSize=36_Align=4 +__StaticArrayInitTypeSize=38 +__StaticArrayInitTypeSize=40 +__StaticArrayInitTypeSize=40_Align=4 +__StaticArrayInitTypeSize=48_Align=4 +__StaticArrayInitTypeSize=51 +__StaticArrayInitTypeSize=52_Align=4 +__StaticArrayInitTypeSize=64 +__StaticArrayInitTypeSize=64_Align=4 +__StaticArrayInitTypeSize=64_Align=8 +__StaticArrayInitTypeSize=65 +__StaticArrayInitTypeSize=66 +__StaticArrayInitTypeSize=70 +__StaticArrayInitTypeSize=72 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=76_Align=4 +__StaticArrayInitTypeSize=82 +__StaticArrayInitTypeSize=84_Align=2 +__StaticArrayInitTypeSize=88_Align=8 +__StaticArrayInitTypeSize=98 +__StaticArrayInitTypeSize=128 +__StaticArrayInitTypeSize=128_Align=8 +__StaticArrayInitTypeSize=152_Align=8 +__StaticArrayInitTypeSize=168_Align=8 +__StaticArrayInitTypeSize=170 +__StaticArrayInitTypeSize=172_Align=4 +__StaticArrayInitTypeSize=174_Align=2 +__StaticArrayInitTypeSize=177 +__StaticArrayInitTypeSize=184_Align=8 +__StaticArrayInitTypeSize=201 +__StaticArrayInitTypeSize=233 +__StaticArrayInitTypeSize=256 +__StaticArrayInitTypeSize=256_Align=8 +__StaticArrayInitTypeSize=288_Align=4 +__StaticArrayInitTypeSize=466 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=512_Align=4 +__StaticArrayInitTypeSize=648_Align=8 +__StaticArrayInitTypeSize=696_Align=8 +__StaticArrayInitTypeSize=936_Align=4 +__StaticArrayInitTypeSize=1208_Align=2 +__StaticArrayInitTypeSize=1316 +__StaticArrayInitTypeSize=1416 +__StaticArrayInitTypeSize=1440 +__StaticArrayInitTypeSize=1472_Align=2 +__StaticArrayInitTypeSize=1728 +__StaticArrayInitTypeSize=2176 +__StaticArrayInitTypeSize=2224 +__StaticArrayInitTypeSize=2530 +__StaticArrayInitTypeSize=2593 +__StaticArrayInitTypeSize=3200 +__StaticArrayInitTypeSize=3389 +__StaticArrayInitTypeSize=5056 +__StaticArrayInitTypeSize=6256 +__StaticArrayInitTypeSize=6592 +__StaticArrayInitTypeSize=10416_Align=8 +__StaticArrayInitTypeSize=12144 +__StaticArrayInitTypeSize=15552 +__StaticArrayInitTypeSize=18128 <>y__InlineArray2`1[T] <>y__InlineArray3`1[T] <>y__InlineArray4`1[T]", + "IsCollectible": false, + "ManifestModule": "System.Private.CoreLib.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeWaitHandle System.ArgIterator System.Array System.Attribute System.BadImageFormatException System.Buffer System.Decimal System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.Enum System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Exception System.GCCollectionMode System.GCNotificationStatus System.GC System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeMethodHandle System.RuntimeFieldHandle System.ModuleHandle System.String System.Type System.TypedReference System.TypeLoadException System.ValueType System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.DataMisalignedException System.DateOnly System.DateTime System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfo System.Guid System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.Lazy`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalDataStoreSlot System.MarshalByRefObject System.MemberAccessException System.Memory`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.Random System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.TimeOnly System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TransitionTime System.TimeZoneNotFoundException System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.IResourceReader System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceManager System.Resources.ResourceReader System.Resources.ResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.Matrix3x2 System.Numerics.Matrix4x4 System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarWeekRule System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareOptions System.Globalization.CultureInfo System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GregorianCalendar System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HijriCalendar System.Globalization.IdnMapping System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.ArrayPool`1[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SearchValues System.Buffers.SearchValues`1[T] System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Utf8Formatter System.Buffers.Text.Utf8Parser System.Buffers.Binary.BinaryPrimitives System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.Thread System.Threading.ThreadPool System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CompressedStack System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.LockRecursionException System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterLockSlim System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ThreadAbortException System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.PeriodicTimer System.Threading.TimerCallback System.Threading.Timer System.Threading.Volatile System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.ITimer System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskScheduler System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.ASCIIEncoding System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.EncodingInfo System.Text.EncodingProvider System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.UnicodeEncoding System.Text.UTF32Encoding System.Text.UTF7Encoding System.Text.UTF8Encoding System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Runtime.ControlledExecution System.Runtime.DependentHandle System.Runtime.GCSettings System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.VersioningHelper System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Reflection.Assembly System.Reflection.AssemblyName System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodInvoker System.Reflection.CustomAttributeTypedArgument System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.Missing System.Reflection.Module System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.SignatureHelper System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeBuilder System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStreamOptions System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.PathTooLongException System.IO.RandomAccess System.IO.SearchOption System.IO.SeekOrigin System.IO.Stream System.IO.StreamReader System.IO.StreamWriter System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextWriter System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.StackFrame System.Diagnostics.StackTrace System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.EventTags System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.ArrayList System.Collections.Comparer System.Collections.DictionaryEntry System.Collections.Hashtable System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.CollectionExtensions System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IList`1[T] System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer Internal.Console Internal.Console+Error", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Reflection.Metadata.MetadataUpdateHandlerAttribute(typeof(System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler))] [System.CLSCompliantAttribute((Boolean)True)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)False)] [System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute((System.Runtime.InteropServices.DllImportSearchPath)2050)] [System.Reflection.AssemblyMetadataAttribute(\"Serviceable\", \"True\")] [System.Reflection.AssemblyMetadataAttribute(\"IsTrimmable\", \"True\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")] [System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute()] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"© Microsoft Corporation. All rights reserved.\")] [System.Reflection.AssemblyDescriptionAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyFileVersionAttribute(\"9.0.625.26613\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"9.0.6+3875b54e7b10b10606b105340199946d0b877754\")] [System.Reflection.AssemblyProductAttribute(\"Microsoft® .NET\")] [System.Reflection.AssemblyTitleAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyMetadataAttribute(\"RepositoryUrl\", \"https://github.com/dotnet/runtime\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Private.CoreLib.dll", + "Modules": "System.Private.CoreLib.dll", + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Object", + "AssemblyQualifiedName": "System.Object, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "ff77e388-6558-35eb-89cb-5ef50f4b9be2", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Object", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": null, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554586, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Object", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode() Void .ctor()", + "DeclaredMethods": "System.Type GetType() System.Object MemberwiseClone() Void Finalize() System.String ToString() Boolean Equals(System.Object) Boolean Equals(System.Object, System.Object) Boolean ReferenceEquals(System.Object, System.Object) Int32 GetHashCode()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1056769, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": "[System.SerializableAttribute()] [System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)] [System.Runtime.InteropServices.ClassInterfaceAttribute((System.Runtime.InteropServices.ClassInterfaceType)1)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)True)] [System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554629, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ModuleVersionId": "6322a2c9-49e1-408c-8faf-9b86b82127b8", + "MetadataToken": 1, + "ScopeName": "System.Private.CoreLib.dll", + "Name": "System.Private.CoreLib.dll", + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)] [System.Runtime.CompilerServices.NullablePublicOnlyAttribute((Boolean)False)] [System.Runtime.CompilerServices.SkipLocalsInitAttribute()]" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712116373872 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.ValueType", + "AssemblyQualifiedName": "System.ValueType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "478dd879-0e54-3ff8-b80b-281117149db3", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "ValueType", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554629, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.ValueType", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "Boolean Equals(System.Object) Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*) Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*) Int32 GetHashCode() ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef) System.String ToString() Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*) ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**) Void .ctor() System.ValueType+ValueTypeHashCodeStrategy", + "DeclaredMethods": "Boolean Equals(System.Object) Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*) Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*) Int32 GetHashCode() ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef) System.String ToString() Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*) ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**)", + "DeclaredNestedTypes": "System.ValueType+ValueTypeHashCodeStrategy", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1056897, + "IsAbstract": true, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": "[System.SerializableAttribute()] [System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)] [System.Runtime.CompilerServices.NullableAttribute((Byte)0)] [System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + "Void .ctor()" + ], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [ + "Boolean Equals(System.Object)", + "Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*)", + "Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*)", + "Int32 GetHashCode()", + "ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef)", + "System.String ToString()", + "Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*)", + "ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**)", + "Void .ctor()", + "System.ValueType+ValueTypeHashCodeStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e" + ], + "DeclaredMethods": [ + "Boolean Equals(System.Object)", + "Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*)", + "Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*)", + "Int32 GetHashCode()", + "ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef)", + "System.String ToString()", + "Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*)", + "ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**)" + ], + "DeclaredNestedTypes": [ + "System.ValueType+ValueTypeHashCodeStrategy, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e" + ], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1056897, + "IsAbstract": true, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": [ + "[System.SerializableAttribute()]", + "[System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)]", + "[System.Runtime.CompilerServices.NullableAttribute((Byte)0)]", + "[System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + ] + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554958, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ModuleVersionId": "6322a2c9-49e1-408c-8faf-9b86b82127b8", + "MetadataToken": 1, + "ScopeName": "System.Private.CoreLib.dll", + "Name": "System.Private.CoreLib.dll", + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Private.CoreLib.dll", + "FullName": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "EntryPoint": null, + "DefinedTypes": "Interop Interop+OleAut32 Interop+Globalization Interop+Globalization+ResultCode Interop+BOOL Interop+Kernel32 Interop+Kernel32+NlsVersionInfoEx Interop+Kernel32+OVERLAPPED_ENTRY Interop+Kernel32+CONDITION_VARIABLE Interop+Kernel32+BY_HANDLE_FILE_INFORMATION Interop+Kernel32+CRITICAL_SECTION Interop+Kernel32+FILE_BASIC_INFO Interop+Kernel32+FILE_ALLOCATION_INFO Interop+Kernel32+FILE_END_OF_FILE_INFO Interop+Kernel32+FILE_STANDARD_INFO Interop+Kernel32+FILE_TIME Interop+Kernel32+FINDEX_INFO_LEVELS Interop+Kernel32+FINDEX_SEARCH_OPS Interop+Kernel32+GET_FILEEX_INFO_LEVELS Interop+Kernel32+CPINFO Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+PROCESS_MEMORY_COUNTERS Interop+Kernel32+MEMORY_BASIC_INFORMATION Interop+Kernel32+MEMORYSTATUSEX Interop+Kernel32+SymbolicLinkReparseBuffer Interop+Kernel32+MountPointReparseBuffer Interop+Kernel32+SECURITY_ATTRIBUTES Interop+Kernel32+STORAGE_READ_CAPACITY Interop+Kernel32+SYSTEM_INFO Interop+Kernel32+SYSTEMTIME Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+REG_TZI_FORMAT Interop+Kernel32+WIN32_FILE_ATTRIBUTE_DATA Interop+Kernel32+WIN32_FIND_DATA Interop+Kernel32+WIN32_FIND_DATA+<_cAlternateFileName>e__FixedBuffer Interop+Kernel32+WIN32_FIND_DATA+<_cFileName>e__FixedBuffer Interop+Kernel32+PROCESSOR_NUMBER Interop+Normaliz Interop+HostPolicy Interop+HostPolicy+corehost_resolve_component_dependencies_result_fn Interop+HostPolicy+corehost_error_writer_fn Interop+Advapi32 Interop+Advapi32+ActivityControl Interop+Advapi32+EVENT_FILTER_DESCRIPTOR Interop+Advapi32+EVENT_INFO_CLASS Interop+Advapi32+TRACE_QUERY_INFO_CLASS Interop+Advapi32+TRACE_GUID_INFO Interop+Advapi32+TRACE_PROVIDER_INSTANCE_INFO Interop+Advapi32+TRACE_ENABLE_INFO Interop+Advapi32+TOKEN_ELEVATION Interop+Advapi32+TOKEN_INFORMATION_CLASS Interop+BCrypt Interop+BCrypt+NTSTATUS Interop+Crypt32 Interop+BOOLEAN Interop+NtDll Interop+NtDll+CreateDisposition Interop+NtDll+CreateOptions Interop+NtDll+DesiredAccess Interop+NtDll+IO_STATUS_BLOCK Interop+NtDll+IO_STATUS_BLOCK+IO_STATUS Interop+NtDll+FILE_FULL_DIR_INFORMATION Interop+NtDll+FILE_INFORMATION_CLASS Interop+NtDll+RTL_OSVERSIONINFOEX Interop+NtDll+RTL_OSVERSIONINFOEX+e__FixedBuffer Interop+NtDll+SYSTEM_LEAP_SECOND_INFORMATION Interop+StatusOptions Interop+UNICODE_STRING Interop+SECURITY_QUALITY_OF_SERVICE Interop+ImpersonationLevel Interop+ContextTrackingMode Interop+OBJECT_ATTRIBUTES Interop+ObjectAttributes Interop+Ole32 Interop+Secur32 Interop+Shell32 Interop+Ucrtbase Interop+User32 Interop+User32+USEROBJECTFLAGS Interop+LongFileTime Microsoft.Win32.OAVariantLib Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource+<>c Microsoft.Win32.SafeHandles.SafeWaitHandle Microsoft.Win32.SafeHandles.SafeTokenHandle Microsoft.Win32.SafeHandles.SafeThreadHandle Microsoft.Win32.SafeHandles.SafeFindHandle Microsoft.Win32.SafeHandles.SafeThreadPoolIOHandle System.__Canon System.ArgIterator System.ArgIterator+SigPointer System.Array System.Array+ArrayAssignType System.Array+ArrayInitializeCache System.Array+EmptyArray`1[T] System.Array+SorterObjectArray System.Array+SorterGenericArray System.SZArrayHelper System.Attribute System.BadImageFormatException System.Buffer System.ComAwareWeakReference System.ComAwareWeakReference+ComInfo System.Currency System.Decimal System.Decimal+DecCalc System.Decimal+DecCalc+PowerOvfl System.Decimal+DecCalc+Buf12 System.Decimal+DecCalc+Buf16 System.Decimal+DecCalc+Buf24 System.Decimal+DecCalc+Buf28 System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.DelegateBindingFlags System.Enum System.Enum+EnumInfo`1[TStorage] System.Enum+<>c__62`1[TStorage] System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Environment+WindowsVersion System.Exception System.Exception+ExceptionMessageKind System.Exception+DispatchState System.GCCollectionMode System.GCNotificationStatus System.GC System.GC+GC_ALLOC_FLAGS System.GC+StartNoGCRegionStatus System.GC+EndNoGCRegionStatus System.GC+NoGCRegionCallbackFinalizerWorkItem System.GC+EnableNoGCRegionCallbackStatus System.GC+GCConfigurationContext System.GC+GCConfigurationType System.GC+RefreshMemoryStatus System.GC+GCHeapHardLimitInfo System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeTypeHandle+IntroducedMethodEnumerator System.RuntimeMethodHandleInternal System.RuntimeMethodInfoStub System.IRuntimeMethodInfo System.RuntimeMethodHandle System.RuntimeFieldHandleInternal System.IRuntimeFieldInfo System.RuntimeFieldInfoStub System.RuntimeFieldHandle System.ModuleHandle System.Signature System.Resolver System.Resolver+CORINFO_EH_CLAUSE System.RuntimeType System.RuntimeType+ActivatorCache System.RuntimeType+MemberListType System.RuntimeType+ListBuilder`1[T] System.RuntimeType+RuntimeTypeCache System.RuntimeType+RuntimeTypeCache+CacheType System.RuntimeType+RuntimeTypeCache+Filter System.RuntimeType+RuntimeTypeCache+MemberInfoCache`1[T] System.RuntimeType+RuntimeTypeCache+FunctionPointerCache System.RuntimeType+DispatchWrapperType System.RuntimeType+BoxCache System.RuntimeType+CreateUninitializedCache System.RuntimeType+CompositeCacheEntry System.RuntimeType+IGenericCacheEntry System.RuntimeType+IGenericCacheEntry`1[TCache] System.RuntimeType+CheckValueStatus System.TypeNameFormatFlags System.TypeNameKind System.MdUtf8String System.StartupHookProvider System.StartupHookProvider+StartupHookNameOrPath System.String System.String+SearchValuesStorage System.Type System.Type+<>c System.TypedReference System.TypeLoadException System.ValueType System.ValueType+ValueTypeHashCodeStrategy System.__ComObject System.OleAutBinder System.Variant System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppContextConfigHelper System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArrayEnumerator System.SZGenericArrayEnumeratorBase System.SZGenericArrayEnumerator`1[T] System.GenericEmptyEnumeratorBase System.GenericEmptyEnumerator`1[T] System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.ByReference System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.CurrentSystemTimeZone System.DataMisalignedException System.DateOnly System.DateOnly+<>c System.DateTime System.DateTime+LeapSecondCache System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DefaultBinder System.DefaultBinder+Primitives System.DefaultBinder+BinderState System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.Empty System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfoData System.GCMemoryInfo System.Gen2GcCallback System.DateTimeFormat System.DateTimeParse System.DateTimeParse+DTT System.DateTimeParse+TM System.DateTimeParse+DS System.__DTString System.DTSubStringType System.DTSubString System.DateTimeToken System.DateTimeRawInfo System.ParseFailureKind System.ParseFlags System.DateTimeResult System.ParsingInfo System.TokenType System.Guid System.Guid+GuidParseThrowStyle System.Guid+ParseFailure System.Guid+GuidResult System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.TwoObjects System.ThreeObjects System.EightObjects System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtfChar`1[TSelf] System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.LazyState System.LazyHelper System.Lazy`1[T] System.LazyDebugView`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalAppContextSwitches System.LocalDataStoreSlot System.MarshalByRefObject System.Marvin System.MemberAccessException System.Memory`1[T] System.MemoryDebugView`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+SpanSplitEnumeratorMode System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.Number System.Number+BigInteger System.Number+BigInteger+<_blocks>e__FixedBuffer System.Number+DiyFp System.Number+Grisu3 System.Number+IHexOrBinaryParser`1[TInteger] System.Number+HexParser`1[TInteger] System.Number+BinaryParser`1[TInteger] System.Number+NumberBuffer System.Number+NumberBufferKind System.Number+ParsingStatus System.IBinaryIntegerParseAndFormatInfo`1[TSelf] System.IBinaryFloatParseAndFormatInfo`1[TSelf] System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.ParseNumbers System.PasteArguments System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.ProgressStatics System.Random System.Random+ThreadSafeRandom System.Random+ImplBase System.Random+Net5CompatSeedImpl System.Random+Net5CompatDerivedImpl System.Random+CompatPrng System.Random+XoshiroImpl System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.SpanDebugView`1[T] System.SpanHelpers System.SpanHelpers+ComparerComparable`2[T,TComparer] System.SpanHelpers+Block16 System.SpanHelpers+Block64 System.SpanHelpers+INegator`1[T] System.SpanHelpers+DontNegate`1[T] System.SpanHelpers+Negate`1[T] System.PackedSpanHelpers System.PackedSpanHelpers+ITransform System.PackedSpanHelpers+NopTransform System.PackedSpanHelpers+Or20Transform System.SR System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.OrdinalCaseSensitiveComparer System.OrdinalIgnoreCaseComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.ThrowHelper System.ExceptionArgument System.ExceptionResource System.TimeOnly System.TimeOnly+<>c System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TimeZoneInfoResult System.TimeZoneInfo+CachedData System.TimeZoneInfo+StringSerializer System.TimeZoneInfo+StringSerializer+State System.TimeZoneInfo+TransitionTime System.TimeZoneInfo+OffsetAndRule System.TimeZoneInfo+<>c System.TimeZoneInfoOptions System.TimeZoneNotFoundException System.ITupleInternal System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleSlim`2[T1,T2] System.TupleSlim`3[T1,T2,T3] System.TupleSlim`4[T1,T2,T3,T4] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.IValueTupleInternal System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.TimeProvider+SystemTimeProviderTimer System.TimeProvider+SystemTimeProvider System.HexConverter System.HexConverter+Casing System.HexConverter+<>c System.NotImplemented System.Sha1ForNonSecretPurposes System.FixedBufferExtensions System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Private.CoreLib.Strings System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecureString+UnmanagedBuffer System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityElement+<>c System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.FastResourceComparer System.Resources.FileBasedResourceGroveler System.Resources.IResourceGroveler System.Resources.IResourceReader System.Resources.ManifestBasedResourceGroveler System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceFallbackManager System.Resources.ResourceFallbackManager+d__5 System.Resources.ResourceManager System.Resources.ResourceManager+CultureNameResourceSetPair System.Resources.ResourceManager+ResourceManagerMediator System.Resources.ResourceReader System.Resources.ResourceReader+ResourceEnumerator System.Resources.ResourceReader+<>c__DisplayClass7_0`1[TInstance] System.Resources.ResourceLocator System.Resources.ResourceSet System.Resources.ResourceTypeCode System.Resources.RuntimeResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.BitOperations+Crc32Fallback System.Numerics.Matrix3x2 System.Numerics.Matrix3x2+Impl System.Numerics.Matrix4x4 System.Numerics.Matrix4x4+Impl System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.VectorDebugView`1[T] System.Numerics.Crc32ReflectedTable System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Net.WebUtility+UrlDecoder System.Net.WebUtility+HtmlEntities System.Net.WebUtility+<>c System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarData System.Globalization.CalendarData+IcuEnumCalendarsData System.Globalization.CalendarData+EnumData System.Globalization.CalendarData+NlsEnumCalendarsData System.Globalization.CalendarData+<>c System.Globalization.CalendarDataType System.Globalization.CalendarWeekRule System.Globalization.CalendricalCalculationsHelper System.Globalization.CalendricalCalculationsHelper+CorrectionAlgorithm System.Globalization.CalendricalCalculationsHelper+EphemerisCorrectionAlgorithmMap System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareInfo+SortHandleCache System.Globalization.CompareOptions System.Globalization.CultureData System.Globalization.CultureData+LocaleStringData System.Globalization.CultureData+LocaleGroupingData System.Globalization.CultureData+LocaleNumberData System.Globalization.CultureData+EnumLocaleData System.Globalization.CultureData+EnumData System.Globalization.CultureInfo System.Globalization.CultureInfo+<>O System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.MonthNameStyles System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo+TokenHashValue System.Globalization.FORMATFLAGS System.Globalization.CalendarId System.Globalization.DateTimeFormatInfoScanner System.Globalization.DateTimeFormatInfoScanner+FoundDatePattern System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DaylightTimeStruct System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GlobalizationMode System.Globalization.GlobalizationMode+Settings System.Globalization.GregorianCalendar System.Globalization.EraInfo System.Globalization.GregorianCalendarHelper System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HebrewCalendar+DateBuffer System.Globalization.HebrewNumberParsingContext System.Globalization.HebrewNumberParsingState System.Globalization.HebrewNumber System.Globalization.HebrewNumber+HebrewToken System.Globalization.HebrewNumber+HebrewValue System.Globalization.HebrewNumber+HS System.Globalization.HijriCalendar System.Globalization.IcuLocaleDataParts System.Globalization.IcuLocaleData System.Globalization.IdnMapping System.Globalization.InvariantModeCasing System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseCalendar+<>O System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.Normalization System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.Ordinal System.Globalization.OrdinalCasing System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.StrongBidiCategory System.Globalization.SurrogateCasing System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.TextInfo+Tristate System.Globalization.TextInfo+ToUpperConversion System.Globalization.TextInfo+ToLowerConversion System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanFormat System.Globalization.TimeSpanFormat+StandardFormat System.Globalization.TimeSpanFormat+FormatLiterals System.Globalization.TimeSpanParse System.Globalization.TimeSpanParse+TimeSpanStandardStyles System.Globalization.TimeSpanParse+TTT System.Globalization.TimeSpanParse+TimeSpanToken System.Globalization.TimeSpanParse+TimeSpanTokenizer System.Globalization.TimeSpanParse+TimeSpanRawInfo System.Globalization.TimeSpanParse+TimeSpanResult System.Globalization.TimeSpanParse+StringParser System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UmAlQuraCalendar+DateMapping System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.CodeDom.Compiler.IndentedTextWriter+d__23 System.CodeDom.Compiler.IndentedTextWriter+d__38 System.CodeDom.Compiler.IndentedTextWriter+d__39 System.CodeDom.Compiler.IndentedTextWriter+d__40 System.CodeDom.Compiler.IndentedTextWriter+d__41 System.CodeDom.Compiler.IndentedTextWriter+d__42 System.CodeDom.Compiler.IndentedTextWriter+d__61 System.CodeDom.Compiler.IndentedTextWriter+d__62 System.CodeDom.Compiler.IndentedTextWriter+d__63 System.CodeDom.Compiler.IndentedTextWriter+d__64 System.CodeDom.Compiler.IndentedTextWriter+d__65 System.CodeDom.Compiler.IndentedTextWriter+d__66 System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.SpanFunc`5[TSpan,T1,T2,T3,TResult] System.Buffers.ArrayPool`1[T] System.Buffers.ArrayPoolEventSource System.Buffers.ArrayPoolEventSource+BufferAllocatedReason System.Buffers.ArrayPoolEventSource+BufferDroppedReason System.Buffers.ConfigurableArrayPool`1[T] System.Buffers.ConfigurableArrayPool`1+Bucket[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SharedArrayPool`1[T] System.Buffers.SharedArrayPool`1+<>c[T] System.Buffers.SharedArrayPoolThreadLocalArray System.Buffers.SharedArrayPoolPartitions System.Buffers.SharedArrayPoolPartitions+Partition System.Buffers.SharedArrayPoolStatics System.Buffers.Utilities System.Buffers.Utilities+MemoryPressure System.Buffers.Any1CharPackedSearchValues System.Buffers.Any1CharPackedIgnoreCaseSearchValues System.Buffers.Any2CharPackedIgnoreCaseSearchValues System.Buffers.Any3CharPackedSearchValues System.Buffers.Any2CharPackedSearchValues System.Buffers.Any1SearchValues`2[T,TImpl] System.Buffers.Any2SearchValues`2[T,TImpl] System.Buffers.Any3SearchValues`2[T,TImpl] System.Buffers.BitVector256 System.Buffers.BitVector256+<_values>e__FixedBuffer System.Buffers.ProbabilisticMapState System.Buffers.ProbabilisticWithAsciiCharSearchValues`1[TOptimizations] System.Buffers.Any4SearchValues`2[T,TImpl] System.Buffers.Any5SearchValues`2[T,TImpl] System.Buffers.AsciiByteSearchValues System.Buffers.AsciiCharSearchValues`1[TOptimizations] System.Buffers.IndexOfAnyAsciiSearcher System.Buffers.IndexOfAnyAsciiSearcher+AsciiState System.Buffers.IndexOfAnyAsciiSearcher+AnyByteState System.Buffers.IndexOfAnyAsciiSearcher+INegator System.Buffers.IndexOfAnyAsciiSearcher+DontNegate System.Buffers.IndexOfAnyAsciiSearcher+Negate System.Buffers.IndexOfAnyAsciiSearcher+IOptimizations System.Buffers.IndexOfAnyAsciiSearcher+Ssse3AndWasmHandleZeroInNeedle System.Buffers.IndexOfAnyAsciiSearcher+Default System.Buffers.IndexOfAnyAsciiSearcher+IResultMapper`2[T,TResult] System.Buffers.IndexOfAnyAsciiSearcher+ContainsAnyResultMapper`1[T] System.Buffers.IndexOfAnyAsciiSearcher+IndexOfAnyResultMapper`1[T] System.Buffers.AnyByteSearchValues System.Buffers.RangeByteSearchValues System.Buffers.RangeCharSearchValues`1[TShouldUsePacked] System.Buffers.ProbabilisticCharSearchValues System.Buffers.BitmapCharSearchValues System.Buffers.SearchValues System.Buffers.SearchValues+IRuntimeConst System.Buffers.SearchValues+TrueConst System.Buffers.SearchValues+FalseConst System.Buffers.SearchValues`1[T] System.Buffers.SearchValuesDebugView`1[T] System.Buffers.EmptySearchValues`1[T] System.Buffers.ProbabilisticMap System.Buffers.AhoCorasick System.Buffers.AhoCorasick+IFastScan System.Buffers.AhoCorasick+IndexOfAnyAsciiFastScan System.Buffers.AhoCorasick+NoFastScan System.Buffers.AhoCorasickBuilder System.Buffers.AhoCorasickNode System.Buffers.CharacterFrequencyHelper System.Buffers.RabinKarp System.Buffers.StringSearchValuesHelper System.Buffers.StringSearchValuesHelper+IValueLength System.Buffers.StringSearchValuesHelper+ValueLengthLessThan4 System.Buffers.StringSearchValuesHelper+ValueLength4To7 System.Buffers.StringSearchValuesHelper+ValueLength8OrLongerOrUnknown System.Buffers.StringSearchValuesHelper+ICaseSensitivity System.Buffers.StringSearchValuesHelper+CaseSensitive System.Buffers.StringSearchValuesHelper+CaseInsensitiveAsciiLetters System.Buffers.StringSearchValuesHelper+CaseInsensitiveAscii System.Buffers.StringSearchValuesHelper+CaseInsensitiveUnicode System.Buffers.TeddyBucketizer System.Buffers.TeddyHelper System.Buffers.AsciiStringSearchValuesTeddyBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBase`3[TBucketized,TStartCaseSensitivity,TCaseSensitivity] System.Buffers.MultiStringIgnoreCaseSearchValuesFallback System.Buffers.SingleStringSearchValuesThreeChars`2[TValueLength,TCaseSensitivity] System.Buffers.SingleStringSearchValuesFallback`1[TIgnoreCase] System.Buffers.StringSearchValues System.Buffers.StringSearchValues+<>c System.Buffers.StringSearchValuesBase System.Buffers.StringSearchValuesAhoCorasick`2[TCaseSensitivity,TFastScanVariant] System.Buffers.StringSearchValuesRabinKarp`1[TCaseSensitivity] System.Buffers.Text.Base64Helper System.Buffers.Text.Base64Helper+Base64DecoderByte System.Buffers.Text.Base64Helper+IBase64Encoder`1[T] System.Buffers.Text.Base64Helper+IBase64Decoder`1[T] System.Buffers.Text.Base64Helper+IBase64Validatable`1[T] System.Buffers.Text.Base64Helper+Base64CharValidatable System.Buffers.Text.Base64Helper+Base64ByteValidatable System.Buffers.Text.Base64Helper+Base64EncoderByte System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Base64Url+Base64UrlDecoderByte System.Buffers.Text.Base64Url+Base64UrlDecoderChar System.Buffers.Text.Base64Url+Base64UrlEncoderByte System.Buffers.Text.Base64Url+Base64UrlEncoderChar System.Buffers.Text.Base64Url+Base64UrlCharValidatable System.Buffers.Text.Base64Url+Base64UrlByteValidatable System.Buffers.Text.Base64Url+<>c System.Buffers.Text.FormattingHelpers System.Buffers.Text.Utf8Formatter System.Buffers.Text.ParserHelpers System.Buffers.Text.Utf8Parser System.Buffers.Text.Utf8Parser+ParseNumberOptions System.Buffers.Text.Utf8Parser+ComponentParseResult System.Buffers.Text.Utf8Parser+TimeSpanSplitter System.Buffers.Binary.BinaryPrimitives System.Buffers.Binary.BinaryPrimitives+Int16EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int32EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int64EndiannessReverser System.Buffers.Binary.BinaryPrimitives+IEndiannessReverser`1[T] System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.SynchronizationContext+<>c System.Threading.ThreadHandle System.Threading.Thread System.Threading.Thread+StartHelper System.Threading.Thread+LocalDataStore System.Threading.ThreadPool System.Threading.ThreadPool+<>c System.Threading.ThreadPool+d__26 System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.IAsyncLocal System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.IAsyncLocalValueMap System.Threading.AsyncLocalValueMap System.Threading.AsyncLocalValueMap+EmptyAsyncLocalValueMap System.Threading.AsyncLocalValueMap+OneElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+TwoElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ThreeElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+FourElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+MultiElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ManyElementAsyncLocalValueMap System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationToken+<>c System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CancellationTokenSource+States System.Threading.CancellationTokenSource+Linked1CancellationTokenSource System.Threading.CancellationTokenSource+Linked2CancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource+<>c System.Threading.CancellationTokenSource+Registrations System.Threading.CancellationTokenSource+Registrations+d__12 System.Threading.CancellationTokenSource+CallbackNode System.Threading.CancellationTokenSource+CallbackNode+<>c System.Threading.CancellationTokenSource+<>c System.Threading.CompressedStack System.Threading.StackCrawlMark System.Threading.IDeferredDisposable System.Threading.DeferredDisposableLifetime`1[T] System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IOCompletionCallbackHelper System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.Lock+State System.Threading.Lock+TryLockResult System.Threading.Lock+ThreadId System.Threading.LockRecursionException System.Threading.LowLevelLock System.Threading.LowLevelSpinWaiter System.Threading.LowLevelMonitor System.Threading.LowLevelMonitor+Monitor System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterCount System.Threading.ReaderWriterLockSlim System.Threading.ReaderWriterLockSlim+TimeoutTracker System.Threading.ReaderWriterLockSlim+SpinLock System.Threading.ReaderWriterLockSlim+WaiterStates System.Threading.ReaderWriterLockSlim+EnterSpinLockReason System.Threading.ReaderWriterLockSlim+EnterLockType System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SemaphoreSlim+TaskNode System.Threading.SemaphoreSlim+d__31 System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinLock+SystemThreading_SpinLockDebugView System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ProcessorIdCache System.Threading.ThreadAbortException System.Threading.ThreadBlockingInfo System.Threading.ThreadBlockingInfo+Scope System.Threading.ThreadBlockingInfo+ObjectKind System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInt64PersistentCounter System.Threading.ThreadInt64PersistentCounter+ThreadLocalNode System.Threading.ThreadInt64PersistentCounter+ThreadLocalNodeFinalizationHelper System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.ThreadLocal`1+LinkedSlotVolatile[T] System.Threading.ThreadLocal`1+LinkedSlot[T] System.Threading.ThreadLocal`1+IdManager[T] System.Threading.ThreadLocal`1+FinalizationHelper[T] System.Threading.SystemThreading_ThreadLocalDebugView`1[T] System.Threading.ThreadPoolWorkQueue System.Threading.ThreadPoolWorkQueue+WorkStealingQueueList System.Threading.ThreadPoolWorkQueue+WorkStealingQueue System.Threading.ThreadPoolWorkQueue+QueueProcessingStage System.Threading.ThreadPoolWorkQueue+CacheLineSeparated System.Threading.ThreadPoolWorkQueueThreadLocals System.Threading.IThreadPoolTypedWorkItemQueueCallback`1[T] System.Threading.ThreadPoolTypedWorkItemQueue`2[T,TCallback] System.Threading.ThreadPoolTypedWorkItemQueue`2+QueueProcessingStage[T,TCallback] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.QueueUserWorkItemCallbackBase System.Threading.QueueUserWorkItemCallback System.Threading.QueueUserWorkItemCallback+<>c System.Threading.QueueUserWorkItemCallback`1[TState] System.Threading.QueueUserWorkItemCallbackDefaultContext System.Threading.QueueUserWorkItemCallbackDefaultContext`1[TState] System.Threading._ThreadPoolWaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.TimeoutHelper System.Threading.PeriodicTimer System.Threading.PeriodicTimer+State System.Threading.PeriodicTimer+State+<>c System.Threading.PeriodicTimer+<>c System.Threading.TimerCallback System.Threading.TimerQueue System.Threading.TimerQueue+TimerQueueDebuggerTypeProxy System.Threading.TimerQueue+<>O System.Threading.TimerQueue+d__7 System.Threading.TimerQueueTimer System.Threading.TimerQueueTimer+TimerDebuggerTypeProxy System.Threading.TimerQueueTimer+<>c System.Threading.TimerHolder System.Threading.Timer System.Threading.Timer+<>c System.Threading.Volatile System.Threading.Volatile+VolatileBoolean System.Threading.Volatile+VolatileByte System.Threading.Volatile+VolatileInt16 System.Threading.Volatile+VolatileInt32 System.Threading.Volatile+VolatileIntPtr System.Threading.Volatile+VolatileSByte System.Threading.Volatile+VolatileSingle System.Threading.Volatile+VolatileUInt16 System.Threading.Volatile+VolatileUInt32 System.Threading.Volatile+VolatileUIntPtr System.Threading.Volatile+VolatileObject System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.Win32ThreadPoolNativeOverlapped System.Threading.Win32ThreadPoolNativeOverlapped+ExecutionContextCallbackArgs System.Threading.Win32ThreadPoolNativeOverlapped+OverlappedData System.Threading.Win32ThreadPoolNativeOverlapped+<>O System.Threading.ITimer System.Threading.OpenExistingResult System.Threading.AsyncOverSyncWithIoCancellation System.Threading.AsyncOverSyncWithIoCancellation+SyncAsyncWorkItemRegistration System.Threading.AsyncOverSyncWithIoCancellation+<>c System.Threading.AsyncOverSyncWithIoCancellation+d__7`1[TState] System.Threading.AsyncOverSyncWithIoCancellation+d__8`2[TState,TResult] System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.WindowsThreadPool System.Threading.WindowsThreadPool+ThreadCountHolder System.Threading.WindowsThreadPool+WorkingThreadCounter System.Threading.WindowsThreadPool+<>O System.Threading.CompleteWaitThreadPoolWorkItem System.Threading.PortableThreadPool System.Threading.PortableThreadPool+CacheLineSeparated System.Threading.PortableThreadPool+PendingBlockingAdjustment System.Threading.PortableThreadPool+BlockingConfig System.Threading.PortableThreadPool+GateThread System.Threading.PortableThreadPool+GateThread+DelayHelper System.Threading.PortableThreadPool+GateThread+<>O System.Threading.PortableThreadPool+HillClimbing System.Threading.PortableThreadPool+HillClimbing+StateOrTransition System.Threading.PortableThreadPool+HillClimbing+LogEntry System.Threading.PortableThreadPool+HillClimbing+Complex System.Threading.PortableThreadPool+IOCompletionPoller System.Threading.PortableThreadPool+IOCompletionPoller+Callback System.Threading.PortableThreadPool+IOCompletionPoller+Event System.Threading.PortableThreadPool+ThreadCounts System.Threading.PortableThreadPool+WaitThreadNode System.Threading.PortableThreadPool+WaitThread System.Threading.PortableThreadPool+WorkerThread System.Threading.PortableThreadPool+WorkerThread+<>c System.Threading.PortableThreadPool+CountsOfThreadsProcessingUserCallbacks System.Threading.PortableThreadPool+CpuUtilizationReader System.Threading.LowLevelLifoSemaphore System.Threading.LowLevelLifoSemaphore+Counts System.Threading.LowLevelLifoSemaphore+CacheLineSeparatedCounts System.Threading.ThreadPoolBoundHandleOverlapped System.Threading.ThreadPoolCallbackWrapper System.Threading.Tasks.AsyncCausalityStatus System.Threading.Tasks.CausalityRelation System.Threading.Tasks.CausalitySynchronousWork System.Threading.Tasks.CachedCompletedInt32Task System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+CompletionState System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+SchedulerWorkItem System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+<>c System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ProcessingMode System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+<>c System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.SystemThreadingTasks_FutureDebugView`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskFactory`1+FromAsyncTrimPromise`1[TResult,TInstance] System.Threading.Tasks.TaskFactory`1+<>c[TResult] System.Threading.Tasks.TaskFactory`1+<>c__56`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__67`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass32_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass35_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass38_0`1[TResult,TArg1] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass41_0`2[TResult,TArg1,TArg2] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass44_0`3[TResult,TArg1,TArg2,TArg3] System.Threading.Tasks.LoggingExtensions System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.Task+TaskStateFlags System.Threading.Tasks.Task+ContingentProperties System.Threading.Tasks.Task+CancellationPromise`1[TResult] System.Threading.Tasks.Task+CancellationPromise`1+<>c[TResult] System.Threading.Tasks.Task+SetOnInvokeMres System.Threading.Tasks.Task+SetOnCountdownMres System.Threading.Tasks.Task+DelayPromise System.Threading.Tasks.Task+DelayPromiseWithCancellation System.Threading.Tasks.Task+DelayPromiseWithCancellation+<>c System.Threading.Tasks.Task+WhenAllPromise System.Threading.Tasks.Task+WhenAllPromise+<>c__DisplayClass2_0 System.Threading.Tasks.Task+WhenAllPromise`1[T] System.Threading.Tasks.Task+TwoTaskWhenAnyPromise`1[TTask] System.Threading.Tasks.Task+WhenEachState System.Threading.Tasks.Task+WhenEachState+d__15`1[T] System.Threading.Tasks.Task+<>c System.Threading.Tasks.CompletionActionInvoker System.Threading.Tasks.SystemThreadingTasks_TaskDebugView System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.InternalTaskOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.VoidTaskResult System.Threading.Tasks.ITaskCompletionAction System.Threading.Tasks.UnwrapPromise`1[TResult] System.Threading.Tasks.UnwrapPromise`1+<>c[TResult] System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskAsyncEnumerableExtensions+ManualResetEventWithAwaiterSupport System.Threading.Tasks.TaskAsyncEnumerableExtensions+d__3`1[T] System.Threading.Tasks.TaskCache System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.ContinuationTaskFromTask System.Threading.Tasks.ContinuationResultTaskFromTask`1[TResult] System.Threading.Tasks.ContinuationTaskFromResultTask`1[TAntecedentResult] System.Threading.Tasks.ContinuationResultTaskFromResultTask`2[TAntecedentResult,TResult] System.Threading.Tasks.TaskContinuation System.Threading.Tasks.ContinueWithTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>O System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c__DisplayClass6_0 System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation+<>c System.Threading.Tasks.AwaitTaskContinuation System.Threading.Tasks.AwaitTaskContinuation+<>c System.Threading.Tasks.TaskExceptionHolder System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise`1[T] System.Threading.Tasks.TaskFactory+CompleteOnInvokePromise`1[TTask] System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskScheduler+SystemThreadingTasks_TaskSchedulerDebugView System.Threading.Tasks.SynchronizationContextTaskScheduler System.Threading.Tasks.SynchronizationContextTaskScheduler+<>c System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ThreadPoolTaskScheduler System.Threading.Tasks.ThreadPoolTaskScheduler+<>c System.Threading.Tasks.ThreadPoolTaskScheduler+d__6 System.Threading.Tasks.TplEventSource System.Threading.Tasks.TplEventSource+TaskWaitBehavior System.Threading.Tasks.TplEventSource+Tasks System.Threading.Tasks.TplEventSource+Keywords System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask+<>c System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask+<>c[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.TaskToAsyncResult+TaskAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Threading.Tasks.Sources.CapturedSchedulerAndExecutionContext System.Threading.Tasks.Sources.ManualResetValueTaskSourceCoreShared System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+ChunkEnumerator+ManyChunkInfo System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.Ascii+ToUpperConversion System.Text.Ascii+ToLowerConversion System.Text.Ascii+ILoader`2[TLeft,TRight] System.Text.Ascii+PlainLoader`1[T] System.Text.Ascii+WideningLoader System.Text.ASCIIEncoding System.Text.ASCIIEncoding+ASCIIEncodingSealed System.Text.CodePageDataItem System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderNLS System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderLatin1BestFitFallback System.Text.EncoderLatin1BestFitFallbackBuffer System.Text.EncoderNLS System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.Encoding+DefaultEncoder System.Text.Encoding+DefaultDecoder System.Text.Encoding+EncodingCharBuffer System.Text.Encoding+EncodingByteBuffer System.Text.EncodingTable System.Text.EncodingInfo System.Text.EncodingProvider System.Text.Latin1Encoding System.Text.Latin1Encoding+Latin1EncodingSealed System.Text.Latin1Utility System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.TranscodingStream System.Text.TranscodingStream+<g__DisposeAsyncCore|30_0>d System.Text.TranscodingStream+<g__ReadAsyncCore|41_0>d System.Text.TranscodingStream+<g__WriteAsyncCore|50_0>d System.Text.TrimType System.Text.UnicodeEncoding System.Text.UnicodeEncoding+Decoder System.Text.UnicodeUtility System.Text.UTF32Encoding System.Text.UTF32Encoding+UTF32Decoder System.Text.UTF7Encoding System.Text.UTF7Encoding+Decoder System.Text.UTF7Encoding+Encoder System.Text.UTF7Encoding+DecoderUTF7Fallback System.Text.UTF7Encoding+DecoderUTF7FallbackBuffer System.Text.UTF8Encoding System.Text.UTF8Encoding+UTF8EncodingSealed System.Text.ValueStringBuilder System.Text.StringBuilderCache System.Text.Unicode.GraphemeClusterBreakType System.Text.Unicode.TextSegmentationUtility System.Text.Unicode.TextSegmentationUtility+DecodeFirstRune`1[T] System.Text.Unicode.TextSegmentationUtility+Processor`1[T] System.Text.Unicode.Utf16Utility System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Text.Unicode.Utf8Utility System.StubHelpers.AnsiCharMarshaler System.StubHelpers.CSTRMarshaler System.StubHelpers.UTF8BufferMarshaler System.StubHelpers.BSTRMarshaler System.StubHelpers.VBByValStrMarshaler System.StubHelpers.AnsiBSTRMarshaler System.StubHelpers.FixedWSTRMarshaler System.StubHelpers.ObjectMarshaler System.StubHelpers.HandleMarshaler System.StubHelpers.DateMarshaler System.StubHelpers.InterfaceMarshaler System.StubHelpers.MngdNativeArrayMarshaler System.StubHelpers.MngdNativeArrayMarshaler+MarshalerState System.StubHelpers.MngdFixedArrayMarshaler System.StubHelpers.MngdFixedArrayMarshaler+MarshalerState System.StubHelpers.MngdSafeArrayMarshaler System.StubHelpers.MngdRefCustomMarshaler System.StubHelpers.AsAnyMarshaler System.StubHelpers.AsAnyMarshaler+BackPropAction System.StubHelpers.CleanupWorkListElement System.StubHelpers.KeepAliveCleanupWorkListElement System.StubHelpers.SafeHandleCleanupWorkListElement System.StubHelpers.StubHelpers System.Runtime.ControlledExecution System.Runtime.ControlledExecution+Canceler System.Runtime.ControlledExecution+<>c System.Runtime.DependentHandle System.Runtime.RhFailFastReason System.Runtime.EH System.Runtime.EH+RhEHClauseKind System.Runtime.EH+RhEHClause System.Runtime.EH+EHEnum System.Runtime.EH+MethodRegionInfo System.Runtime.EH+PAL_LIMITED_CONTEXT System.Runtime.EH+ExKind System.Runtime.EH+ExInfo System.Runtime.ExceptionIDs System.Runtime.REGDISPLAY System.Runtime.StackFrameIterator System.Runtime.GCSettings System.Runtime.GCSettings+SetLatencyModeStatus System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCFrameRegistration System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.SxSRequirements System.Runtime.Versioning.VersioningHelper System.Runtime.Versioning.NonVersionableAttribute System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.DeserializationTracker System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+InternalState System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyLoadContext+d__88 System.Runtime.Loader.AssemblyLoadContext+d__58 System.Runtime.Loader.DefaultAssemblyLoadContext System.Runtime.Loader.IndividualAssemblyLoadContext System.Runtime.Loader.LibraryNameVariation System.Runtime.Loader.LibraryNameVariation+d__4 System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Loader.AssemblyDependencyResolver+<>c__DisplayClass6_0 System.Runtime.Intrinsics.ISimdVector`2[TSelf,T] System.Runtime.Intrinsics.Scalar`1[T] System.Runtime.Intrinsics.SimdVectorExtensions System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector128DebugView`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector256DebugView`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector512DebugView`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Vector64DebugView`1[T] System.Runtime.Intrinsics.VectorMath System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.DynamicInterfaceCastableHelpers System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.Marshal+<>O System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.MemoryMarshal+<g__FromArray|18_2>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromMemoryManager|18_1>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromString|18_0>d`1[T] System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappersScenario System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch+ComInterfaceInstance System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.IDispatch System.Runtime.InteropServices.InvokeFlags System.Runtime.InteropServices.ComEventsMethod System.Runtime.InteropServices.ComEventsMethod+DelegateWrapper System.Runtime.InteropServices.ComEventsSink System.Runtime.InteropServices.BuiltInInteropVariantExtensions System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.ComEventsInfo System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PosixSignalRegistration+Token System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.IMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ComVariant+TypeUnion System.Runtime.InteropServices.Marshalling.ComVariant+Record System.Runtime.InteropServices.Marshalling.ComVariant+Blob System.Runtime.InteropServices.Marshalling.ComVariant+Vector`1[T] System.Runtime.InteropServices.Marshalling.ComVariant+VersionedStream System.Runtime.InteropServices.Marshalling.ComVariant+ClipboardData System.Runtime.InteropServices.Marshalling.ComVariant+UnionTypes System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.CustomMarshalers.ComDataHelpers System.Runtime.InteropServices.CustomMarshalers.EnumVariantViewOfEnumerator System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumerableViewOfDispatch System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumeratorViewOfEnumVariant System.Runtime.InteropServices.CustomMarshalers.ExpandoToDispatchExMarshaler System.Runtime.InteropServices.CustomMarshalers.TypeToTypeInfoMarshaler System.Runtime.InteropServices.ComTypes.IEnumerable System.Runtime.InteropServices.ComTypes.IEnumerator System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.InternalCalls System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.CastHelpers System.Runtime.CompilerServices.ICastableHelpers System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.RawData System.Runtime.CompilerServices.RawArrayData System.Runtime.CompilerServices.MethodTable System.Runtime.CompilerServices.MethodTableAuxiliaryData System.Runtime.CompilerServices.TypeHandle System.Runtime.CompilerServices.PortableTailCallFrame System.Runtime.CompilerServices.TailCallTls System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncMethodBuilderCore+ContinuationWrapper System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+DebugFinalizableAsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+AsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CastResult System.Runtime.CompilerServices.CastCache System.Runtime.CompilerServices.CastCache+CastCacheEntry System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompExactlyDependsOnAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Enumerator[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Entry[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Container[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+<>c[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.FormattableStringFactory+ConcreteFormattableString System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.IAsyncStateMachineBox System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IntrinsicAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+SyncSuccessSentinelStateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StackAllocatedBox`1[T] System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter+<>c System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ITaskAwaiter System.Runtime.CompilerServices.IConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter+<>c System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.IStateMachineBoxAwareAwaiter System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter+<>c System.Runtime.CompilerServices.StringHandleOnStack System.Runtime.CompilerServices.ObjectHandleOnStack System.Runtime.CompilerServices.StackCrawlMarkHandle System.Runtime.CompilerServices.QCallModule System.Runtime.CompilerServices.QCallAssembly System.Runtime.CompilerServices.QCallTypeHandle System.Reflection.Assembly System.Reflection.Assembly+<>O System.Reflection.NativeAssemblyNameParts System.Reflection.AssemblyName System.Reflection.Associates System.Reflection.Associates+Attributes System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.LoaderAllocatorScout System.Reflection.LoaderAllocator System.Reflection.MdConstant System.Reflection.MdFieldInfo System.Reflection.MdSigCallingConvention System.Reflection.PInvokeAttributes System.Reflection.MethodSemanticsAttributes System.Reflection.MetadataTokenType System.Reflection.ConstArray System.Reflection.MetadataToken System.Reflection.MetadataEnumResult System.Reflection.MetadataEnumResult+SmallIntArray System.Reflection.MetadataImport System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodBase+InvokerStrategy System.Reflection.MethodBase+InvokerArgFlags System.Reflection.MethodBase+ArgumentData`1[T] System.Reflection.MethodBase+StackAllocatedArguments System.Reflection.MethodBase+StackAllocatedArgumentsWithCopyBack System.Reflection.MethodBase+StackAllocatedByRefs System.Reflection.MethodBaseInvoker System.Reflection.MethodInvoker System.Reflection.ModifiedType System.Reflection.ModifiedType+TypeSignature System.Reflection.RtFieldInfo System.Reflection.RuntimeAssembly System.Reflection.RuntimeAssembly+ManifestResourceStream System.Reflection.RuntimeConstructorInfo System.Reflection.RuntimeCustomAttributeData System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeRecord System.Reflection.CustomAttributeEncoding System.Reflection.PrimitiveValue System.Reflection.CustomAttributeEncodedArgument System.Reflection.CustomAttributeEncodedArgument+CustomAttributeDataParser System.Reflection.CustomAttributeCtorParameter System.Reflection.CustomAttributeNamedParameter System.Reflection.CustomAttributeType System.Reflection.CustomAttribute System.Reflection.PseudoCustomAttribute System.Reflection.RuntimeEventInfo System.Reflection.RuntimeExceptionHandlingClause System.Reflection.RuntimeFieldInfo System.Reflection.RuntimeLocalVariableInfo System.Reflection.RuntimeMethodBody System.Reflection.RuntimeMethodInfo System.Reflection.RuntimeModule System.Reflection.RuntimeParameterInfo System.Reflection.RuntimePropertyInfo System.Reflection.TypeNameResolver System.Reflection.CerHashtable`2[K,V] System.Reflection.CerHashtable`2+Table[K,V] System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameHelpers System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CorElementType System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAccessor System.Reflection.FieldAccessor+FieldAccessorType System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.InvocationFlags System.Reflection.InvokerEmitUtil System.Reflection.InvokerEmitUtil+InvokeFunc_RefArgs System.Reflection.InvokerEmitUtil+InvokeFunc_ObjSpanArgs System.Reflection.InvokerEmitUtil+InvokeFunc_Obj4Args System.Reflection.InvokerEmitUtil+ThrowHelper System.Reflection.InvokerEmitUtil+Methods System.Reflection.InvokeUtils System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.MethodInvokerCommon System.Reflection.Missing System.Reflection.ModifiedHasElementType System.Reflection.ModifiedFunctionPointerType System.Reflection.ModifiedGenericType System.Reflection.Module System.Reflection.Module+<>c System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.NullabilityInfoContext+NotAnnotatedStatus System.Reflection.NullabilityInfoContext+NullableAttributeStateParser System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.SignatureArrayType System.Reflection.SignatureByRefType System.Reflection.SignatureCallingConvention System.Reflection.SignatureConstructedGenericType System.Reflection.SignatureGenericMethodParameterType System.Reflection.SignatureGenericParameterType System.Reflection.SignatureHasElementType System.Reflection.SignaturePointerType System.Reflection.SignatureType System.Reflection.SignatureTypeExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.TypeInfo+d__10 System.Reflection.TypeInfo+d__22 System.Reflection.AssemblyNameParser System.Reflection.AssemblyNameParser+AssemblyNameParts System.Reflection.AssemblyNameParser+Token System.Reflection.AssemblyNameParser+AttributeKind System.Reflection.AssemblyNameFormatter System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler System.Reflection.Metadata.TypeNameParseOptions System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Metadata.AssemblyNameInfo System.Reflection.Metadata.TypeName System.Reflection.Metadata.TypeNameHelpers System.Reflection.Metadata.TypeNameParser System.Reflection.Metadata.TypeNameParserHelpers System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILGenerator System.Reflection.Emit.DynamicResolver System.Reflection.Emit.DynamicResolver+DestroyScout System.Reflection.Emit.DynamicResolver+SecurityControlFlags System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicScope System.Reflection.Emit.GenericMethodInfo System.Reflection.Emit.GenericFieldInfo System.Reflection.Emit.VarArgMethod System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.AssemblyBuilder+ForceAllowDynamicCodeScope System.Reflection.Emit.RuntimeAssemblyBuilder System.Reflection.Emit.RuntimeConstructorBuilder System.Reflection.Emit.RuntimeEnumBuilder System.Reflection.Emit.RuntimeEventBuilder System.Reflection.Emit.RuntimeFieldBuilder System.Reflection.Emit.RuntimeGenericTypeParameterBuilder System.Reflection.Emit.RuntimeILGenerator System.Reflection.Emit.__LabelInfo System.Reflection.Emit.__FixupData System.Reflection.Emit.__ExceptionInfo System.Reflection.Emit.ScopeAction System.Reflection.Emit.ScopeTree System.Reflection.Emit.RuntimeLocalBuilder System.Reflection.Emit.RuntimeMethodBuilder System.Reflection.Emit.LocalSymInfo System.Reflection.Emit.ExceptionHandler System.Reflection.Emit.RuntimeModuleBuilder System.Reflection.Emit.RuntimeParameterBuilder System.Reflection.Emit.RuntimePropertyBuilder System.Reflection.Emit.RuntimeTypeBuilder System.Reflection.Emit.RuntimeTypeBuilder+CustAttr System.Reflection.Emit.SignatureHelper System.Reflection.Emit.SymbolMethod System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.ConstructorOnTypeBuilderInstantiation System.Reflection.Emit.EmptyCAHolder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FieldOnTypeBuilderInstantiation System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.MethodBuilderInstantiation System.Reflection.Emit.MethodOnTypeBuilderInstantiation System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodeValues System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeKind System.Reflection.Emit.SymbolType System.Reflection.Emit.TypeBuilder System.Reflection.Emit.TypeBuilderInstantiation System.Reflection.Emit.TypeNameBuilder System.Reflection.Emit.TypeNameBuilder+Format System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.BufferedStream+d__68 System.IO.BufferedStream+d__33 System.IO.BufferedStream+d__36 System.IO.BufferedStream+d__40 System.IO.BufferedStream+d__48 System.IO.BufferedStream+d__59 System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EncodingCache System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.File+<g__Core|67_0>d System.IO.File+<g__Core|103_0>d System.IO.File+d__100 System.IO.File+d__101 System.IO.File+d__106 System.IO.File+d__94 System.IO.File+d__110 System.IO.File+d__124 System.IO.File+d__122 System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStream+d__57 System.IO.FileStreamOptions System.IO.FileSystem System.IO.FileSystem+<>c__DisplayClass50_0 System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.Iterator`1[TSource] System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.Path+JoinInternalState System.IO.Path+<>c System.IO.PathTooLongException System.IO.PinnedBufferMemoryStream System.IO.RandomAccess System.IO.RandomAccess+CallbackResetEvent System.IO.RandomAccess+IMemoryHandler`1[T] System.IO.RandomAccess+MemoryHandler System.IO.RandomAccess+ReadOnlyMemoryHandler System.IO.RandomAccess+<>c System.IO.RandomAccess+d__31 System.IO.RandomAccess+d__29 System.IO.RandomAccess+d__35 System.IO.RandomAccess+d__33 System.IO.ReadLinesIterator System.IO.SearchOption System.IO.SearchTarget System.IO.SeekOrigin System.IO.Stream System.IO.Stream+ReadWriteParameters System.IO.Stream+ReadWriteTask System.IO.Stream+ReadWriteTask+<>O System.IO.Stream+NullStream System.IO.Stream+SyncStream System.IO.Stream+<g__Core|27_0>d System.IO.Stream+<g__FinishReadAsync|42_0>d System.IO.Stream+<>c System.IO.Stream+d__61 System.IO.Stream+d__46 System.IO.StreamReader System.IO.StreamReader+NullStreamReader System.IO.StreamReader+d__69 System.IO.StreamReader+d__72 System.IO.StreamReader+d__63 System.IO.StreamReader+d__66 System.IO.StreamWriter System.IO.StreamWriter+NullStreamWriter System.IO.StreamWriter+<g__Core|79_0>d System.IO.StreamWriter+d__37 System.IO.StreamWriter+d__67 System.IO.StreamWriter+d__71 System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextReader+SyncTextReader System.IO.TextReader+<>c System.IO.TextReader+d__23 System.IO.TextReader+d__17 System.IO.TextWriter System.IO.TextWriter+NullTextWriter System.IO.TextWriter+SyncTextWriter System.IO.TextWriter+BroadcastingTextWriter System.IO.TextWriter+BroadcastingTextWriter+d__10 System.IO.TextWriter+BroadcastingTextWriter+d__12 System.IO.TextWriter+BroadcastingTextWriter+d__13 System.IO.TextWriter+BroadcastingTextWriter+d__55 System.IO.TextWriter+BroadcastingTextWriter+d__56 System.IO.TextWriter+BroadcastingTextWriter+d__57 System.IO.TextWriter+BroadcastingTextWriter+d__58 System.IO.TextWriter+BroadcastingTextWriter+d__59 System.IO.TextWriter+BroadcastingTextWriter+d__60 System.IO.TextWriter+BroadcastingTextWriter+d__61 System.IO.TextWriter+BroadcastingTextWriter+d__62 System.IO.TextWriter+BroadcastingTextWriter+d__63 System.IO.TextWriter+BroadcastingTextWriter+d__64 System.IO.TextWriter+BroadcastingTextWriter+d__65 System.IO.TextWriter+<g__WriteAsyncCore|62_0>d System.IO.TextWriter+<g__WriteLineAsyncCore|68_0>d System.IO.TextWriter+<>c System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.UnmanagedMemoryStreamWrapper System.IO.PathInternal System.IO.DisableMediaInsertionPrompt System.IO.DriveInfoInternal System.IO.PathHelper System.IO.Win32Marshal System.IO.Strategies.BufferedFileStreamStrategy System.IO.Strategies.BufferedFileStreamStrategy+d__57 System.IO.Strategies.BufferedFileStreamStrategy+d__27 System.IO.Strategies.BufferedFileStreamStrategy+d__55 System.IO.Strategies.BufferedFileStreamStrategy+d__37 System.IO.Strategies.BufferedFileStreamStrategy+d__36 System.IO.Strategies.BufferedFileStreamStrategy+d__48 System.IO.Strategies.BufferedFileStreamStrategy+d__47 System.IO.Strategies.DerivedFileStreamStrategy System.IO.Strategies.FileStreamHelpers System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable+<>c System.IO.Strategies.FileStreamHelpers+<>c System.IO.Strategies.FileStreamHelpers+d__21 System.IO.Strategies.FileStreamStrategy System.IO.Strategies.OSFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy+d__5 System.IO.Strategies.SyncWindowsFileStreamStrategy System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemEnumerable`1+DelegateEnumerator[TResult] System.IO.Enumeration.FileSystemEnumerableFactory System.IO.Enumeration.FileSystemEnumerableFactory+<>c System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass2_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass3_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass4_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass5_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass6_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass7_0 System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.Debugger+CrossThreadDependencyNotification System.Diagnostics.EditAndContinueHelper System.Diagnostics.ICustomDebuggerNotification System.Diagnostics.StackFrame System.Diagnostics.StackFrameHelper System.Diagnostics.StackFrameHelper+GetSourceLineInfoDelegate System.Diagnostics.StackTrace System.Diagnostics.StackTrace+TraceFormat System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DebugProvider+DebugAssertException System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.ActivityTracker System.Diagnostics.Tracing.ActivityTracker+ActivityInfo System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.CounterGroup System.Diagnostics.Tracing.CounterGroup+<>O System.Diagnostics.Tracing.CounterPayload System.Diagnostics.Tracing.CounterPayload+d__51 System.Diagnostics.Tracing.IncrementingCounterPayload System.Diagnostics.Tracing.IncrementingCounterPayload+d__39 System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.CounterPayloadType System.Diagnostics.Tracing.EventDescriptor System.Diagnostics.Tracing.EventPipeEventInstanceData System.Diagnostics.Tracing.EventPipeSessionInfo System.Diagnostics.Tracing.EventPipeProviderConfiguration System.Diagnostics.Tracing.EventPipeSerializationFormat System.Diagnostics.Tracing.EventPipeInternal System.Diagnostics.Tracing.EventPipeInternal+EventPipeProviderConfigurationNative System.Diagnostics.Tracing.EventPipeEventDispatcher System.Diagnostics.Tracing.EventPipeEventDispatcher+EventListenerSubscription System.Diagnostics.Tracing.EventPipeEventDispatcher+<>c__DisplayClass12_0 System.Diagnostics.Tracing.EventPipeEventProvider System.Diagnostics.Tracing.EventPipeMetadataGenerator System.Diagnostics.Tracing.EventParameterInfo System.Diagnostics.Tracing.EventPipePayloadDecoder System.Diagnostics.Tracing.EventProviderType System.Diagnostics.Tracing.ControllerCommand System.Diagnostics.Tracing.EventProvider System.Diagnostics.Tracing.EventProvider+EventData System.Diagnostics.Tracing.EventProvider+WriteEventErrorCode System.Diagnostics.Tracing.EtwEventProvider System.Diagnostics.Tracing.EtwEventProvider+SessionInfo System.Diagnostics.Tracing.EtwEventProvider+SessionInfoCallback System.Diagnostics.Tracing.EtwEventProvider+<>O System.Diagnostics.Tracing.EventProviderImpl System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSource+EventData System.Diagnostics.Tracing.EventSource+OverrideEventProvider System.Diagnostics.Tracing.EventSource+EventMetadata System.Diagnostics.Tracing.EventSource+<>O System.Diagnostics.Tracing.EventSourceInitHelper System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventListener+<>c System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs+MoreEventInfo System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventChannelAttribute System.Diagnostics.Tracing.EventChannelType System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.SessionMask System.Diagnostics.Tracing.EventDispatcher System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.ManifestBuilder System.Diagnostics.Tracing.ManifestBuilder+ChannelInfo System.Diagnostics.Tracing.ManifestBuilder+<>c System.Diagnostics.Tracing.ManifestEnvelope System.Diagnostics.Tracing.ManifestEnvelope+ManifestFormats System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.FrameworkEventSource System.Diagnostics.Tracing.FrameworkEventSource+Keywords System.Diagnostics.Tracing.FrameworkEventSource+Tasks System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingEventCounterPayloadType System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.IncrementingPollingCounterPayloadType System.Diagnostics.Tracing.NativeRuntimeEventSource System.Diagnostics.Tracing.NativeRuntimeEventSource+Messages System.Diagnostics.Tracing.NativeRuntimeEventSource+Tasks System.Diagnostics.Tracing.NativeRuntimeEventSource+Opcodes System.Diagnostics.Tracing.NativeRuntimeEventSource+ContentionFlagsMap System.Diagnostics.Tracing.NativeRuntimeEventSource+ThreadAdjustmentReasonMap System.Diagnostics.Tracing.NativeRuntimeEventSource+WaitHandleWaitSourceMap System.Diagnostics.Tracing.NativeRuntimeEventSource+Keywords System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.PollingPayloadType System.Diagnostics.Tracing.RuntimeEventSource System.Diagnostics.Tracing.RuntimeEventSource+Keywords System.Diagnostics.Tracing.RuntimeEventSource+EventId System.Diagnostics.Tracing.RuntimeEventSource+<>O System.Diagnostics.Tracing.RuntimeEventSource+<>c System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.ArrayTypeInfo System.Diagnostics.Tracing.ConcurrentSet`2[KeyType,ItemType] System.Diagnostics.Tracing.ConcurrentSetItem`2[KeyType,ItemType] System.Diagnostics.Tracing.DataCollector System.Diagnostics.Tracing.EmptyStruct System.Diagnostics.Tracing.EnumerableTypeInfo System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventPayload System.Diagnostics.Tracing.EventPayload+d__17 System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.FieldMetadata System.Diagnostics.Tracing.InvokeTypeInfo System.Diagnostics.Tracing.NameInfo System.Diagnostics.Tracing.PropertyAnalysis System.Diagnostics.Tracing.PropertyValue System.Diagnostics.Tracing.PropertyValue+Scalar System.Diagnostics.Tracing.PropertyValue+TypeHelper System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_0[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_10[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_11[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_12[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_13[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_14[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_15[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_16[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_17[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_18[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_19[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_2[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_20[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_3[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_4[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_5[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_6[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_7[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_8[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_9[TContainer] System.Diagnostics.Tracing.PropertyValue+<>c System.Diagnostics.Tracing.PropertyValue+<>c__DisplayClass33_0 System.Diagnostics.Tracing.SimpleEventTypes`1[T] System.Diagnostics.Tracing.NullTypeInfo System.Diagnostics.Tracing.ScalarTypeInfo System.Diagnostics.Tracing.ScalarArrayTypeInfo System.Diagnostics.Tracing.StringTypeInfo System.Diagnostics.Tracing.DateTimeTypeInfo System.Diagnostics.Tracing.DateTimeOffsetTypeInfo System.Diagnostics.Tracing.TimeSpanTypeInfo System.Diagnostics.Tracing.DecimalTypeInfo System.Diagnostics.Tracing.NullableTypeInfo System.Diagnostics.Tracing.Statics System.Diagnostics.Tracing.Statics+<>O System.Diagnostics.Tracing.TraceLoggingDataCollector System.Diagnostics.Tracing.TraceLoggingDataType System.Diagnostics.Tracing.TraceLoggingEventHandleTable System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.TraceLoggingEventTypes System.Diagnostics.Tracing.TraceLoggingMetadataCollector System.Diagnostics.Tracing.TraceLoggingMetadataCollector+Impl System.Diagnostics.Tracing.TraceLoggingTypeInfo System.Diagnostics.Tracing.TypeAnalysis System.Diagnostics.Tracing.RuntimeEventSourceHelper System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.EmptyReadOnlyDictionaryInternal System.Collections.EmptyReadOnlyDictionaryInternal+NodeEnumerator System.Collections.ArrayList System.Collections.ArrayList+IListWrapper System.Collections.ArrayList+IListWrapper+IListWrapperEnumWrapper System.Collections.ArrayList+SyncArrayList System.Collections.ArrayList+SyncIList System.Collections.ArrayList+FixedSizeList System.Collections.ArrayList+FixedSizeArrayList System.Collections.ArrayList+ReadOnlyList System.Collections.ArrayList+ReadOnlyArrayList System.Collections.ArrayList+ArrayListEnumerator System.Collections.ArrayList+Range System.Collections.ArrayList+ArrayListEnumeratorSimple System.Collections.ArrayList+ArrayListDebugView System.Collections.Comparer System.Collections.CompatibleComparer System.Collections.DictionaryEntry System.Collections.HashHelpers System.Collections.Hashtable System.Collections.Hashtable+Bucket System.Collections.Hashtable+KeyCollection System.Collections.Hashtable+ValueCollection System.Collections.Hashtable+SyncHashtable System.Collections.Hashtable+HashtableEnumerator System.Collections.Hashtable+HashtableDebugView System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal+NodeEnumerator System.Collections.ListDictionaryInternal+NodeKeyValueCollection System.Collections.ListDictionaryInternal+NodeKeyValueCollection+NodeKeyValueEnumerator System.Collections.ListDictionaryInternal+DictionaryNode System.Collections.ListDictionaryInternal+ListDictionaryInternalDebugView System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.CollectionHelpers System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+DictionaryEnumerator[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.ConcurrentQueue`1+d__26[T] System.Collections.Concurrent.ConcurrentQueueSegment`1[T] System.Collections.Concurrent.ConcurrentQueueSegment`1+Slot[T] System.Collections.Concurrent.PaddedHeadAndTail System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Concurrent.IProducerConsumerCollectionDebugView`1[T] System.Collections.Concurrent.IProducerConsumerQueue`1[T] System.Collections.Concurrent.MultiProducerMultiConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+Segment[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SegmentState[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SingleProducerSingleConsumerQueue_DebugView[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+d__15[T] System.Collections.Generic.IArraySortHelper`1[TKey] System.Collections.Generic.ArraySortHelper`1[T] System.Collections.Generic.GenericArraySortHelper`1[T] System.Collections.Generic.IArraySortHelper`2[TKey,TValue] System.Collections.Generic.ArraySortHelper`2[TKey,TValue] System.Collections.Generic.GenericArraySortHelper`2[TKey,TValue] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EnumComparer`1[T] System.Collections.Generic.ComparerHelpers System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.EqualityComparer`1+<>c[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.ArrayBuilder`1[T] System.Collections.Generic.SortUtils System.Collections.Generic.CollectionExtensions System.Collections.Generic.ComparisonComparer`1[T] System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+CollectionsMarshalHelper[TKey,TValue] System.Collections.Generic.Dictionary`2+Entry[TKey,TValue] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.DebugViewDictionaryItem`2[TKey,TValue] System.Collections.Generic.DelegateEqualityComparer`1[T] System.Collections.Generic.StringEqualityComparer System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Entry[T] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.HashSetEqualityComparer`1[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.ICollectionDebugView`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IDictionaryDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryKeyCollectionDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryValueCollectionDebugView`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IInternalStringEqualityComparer System.Collections.Generic.IList`1[T] System.Collections.Generic.InsertionBehavior System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.QueueDebugView`1[T] System.Collections.Generic.RandomizedStringEqualityComparer System.Collections.Generic.RandomizedStringEqualityComparer+MarvinSeed System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ValueListBuilder`1[T] System.Collections.Generic.EnumerableHelpers System.Collections.Generic.BitHelper Internal.Console Internal.Console+Error Internal.PaddingFor32 Internal.PaddedReference Internal.Win32.RegistryKey Internal.Win32.Registry Internal.Win32.SafeHandles.SafeRegistryHandle Internal.Runtime.InteropServices.ComActivationContextInternal Internal.Runtime.InteropServices.ComponentActivator Internal.Runtime.InteropServices.ComponentActivator+ComponentEntryPoint Internal.Runtime.InteropServices.ComponentActivator+<>c__DisplayClass15_0 Internal.Runtime.InteropServices.LICINFO Internal.Runtime.InteropServices.IClassFactory Internal.Runtime.InteropServices.IClassFactory2 Internal.Runtime.InteropServices.ComActivationContext Internal.Runtime.InteropServices.ComActivator Internal.Runtime.InteropServices.ComActivator+BasicClassFactory Internal.Runtime.InteropServices.ComActivator+LicenseClassFactory Internal.Runtime.InteropServices.ComActivator+<>c__DisplayClass16_0 Internal.Runtime.InteropServices.LicenseInteropProxy Internal.Runtime.InteropServices.InMemoryAssemblyLoader Internal.Runtime.InteropServices.InMemoryAssemblyLoader+<>c__DisplayClass7_0 Internal.Runtime.InteropServices.IsolatedComponentLoadContext Internal.Runtime.CompilerHelpers.ThrowHelpers +__StaticArrayInitTypeSize=3 +__StaticArrayInitTypeSize=5 +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=16_Align=2 +__StaticArrayInitTypeSize=16_Align=4 +__StaticArrayInitTypeSize=17 +__StaticArrayInitTypeSize=21 +__StaticArrayInitTypeSize=24_Align=8 +__StaticArrayInitTypeSize=28_Align=2 +__StaticArrayInitTypeSize=28_Align=4 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=32_Align=4 +__StaticArrayInitTypeSize=32_Align=8 +__StaticArrayInitTypeSize=33 +__StaticArrayInitTypeSize=34 +__StaticArrayInitTypeSize=36_Align=4 +__StaticArrayInitTypeSize=38 +__StaticArrayInitTypeSize=40 +__StaticArrayInitTypeSize=40_Align=4 +__StaticArrayInitTypeSize=48_Align=4 +__StaticArrayInitTypeSize=51 +__StaticArrayInitTypeSize=52_Align=4 +__StaticArrayInitTypeSize=64 +__StaticArrayInitTypeSize=64_Align=4 +__StaticArrayInitTypeSize=64_Align=8 +__StaticArrayInitTypeSize=65 +__StaticArrayInitTypeSize=66 +__StaticArrayInitTypeSize=70 +__StaticArrayInitTypeSize=72 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=76_Align=4 +__StaticArrayInitTypeSize=82 +__StaticArrayInitTypeSize=84_Align=2 +__StaticArrayInitTypeSize=88_Align=8 +__StaticArrayInitTypeSize=98 +__StaticArrayInitTypeSize=128 +__StaticArrayInitTypeSize=128_Align=8 +__StaticArrayInitTypeSize=152_Align=8 +__StaticArrayInitTypeSize=168_Align=8 +__StaticArrayInitTypeSize=170 +__StaticArrayInitTypeSize=172_Align=4 +__StaticArrayInitTypeSize=174_Align=2 +__StaticArrayInitTypeSize=177 +__StaticArrayInitTypeSize=184_Align=8 +__StaticArrayInitTypeSize=201 +__StaticArrayInitTypeSize=233 +__StaticArrayInitTypeSize=256 +__StaticArrayInitTypeSize=256_Align=8 +__StaticArrayInitTypeSize=288_Align=4 +__StaticArrayInitTypeSize=466 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=512_Align=4 +__StaticArrayInitTypeSize=648_Align=8 +__StaticArrayInitTypeSize=696_Align=8 +__StaticArrayInitTypeSize=936_Align=4 +__StaticArrayInitTypeSize=1208_Align=2 +__StaticArrayInitTypeSize=1316 +__StaticArrayInitTypeSize=1416 +__StaticArrayInitTypeSize=1440 +__StaticArrayInitTypeSize=1472_Align=2 +__StaticArrayInitTypeSize=1728 +__StaticArrayInitTypeSize=2176 +__StaticArrayInitTypeSize=2224 +__StaticArrayInitTypeSize=2530 +__StaticArrayInitTypeSize=2593 +__StaticArrayInitTypeSize=3200 +__StaticArrayInitTypeSize=3389 +__StaticArrayInitTypeSize=5056 +__StaticArrayInitTypeSize=6256 +__StaticArrayInitTypeSize=6592 +__StaticArrayInitTypeSize=10416_Align=8 +__StaticArrayInitTypeSize=12144 +__StaticArrayInitTypeSize=15552 +__StaticArrayInitTypeSize=18128 <>y__InlineArray2`1[T] <>y__InlineArray3`1[T] <>y__InlineArray4`1[T]", + "IsCollectible": false, + "ManifestModule": "System.Private.CoreLib.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeWaitHandle System.ArgIterator System.Array System.Attribute System.BadImageFormatException System.Buffer System.Decimal System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.Enum System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Exception System.GCCollectionMode System.GCNotificationStatus System.GC System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeMethodHandle System.RuntimeFieldHandle System.ModuleHandle System.String System.Type System.TypedReference System.TypeLoadException System.ValueType System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.DataMisalignedException System.DateOnly System.DateTime System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfo System.Guid System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.Lazy`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalDataStoreSlot System.MarshalByRefObject System.MemberAccessException System.Memory`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.Random System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.TimeOnly System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TransitionTime System.TimeZoneNotFoundException System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.IResourceReader System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceManager System.Resources.ResourceReader System.Resources.ResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.Matrix3x2 System.Numerics.Matrix4x4 System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarWeekRule System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareOptions System.Globalization.CultureInfo System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GregorianCalendar System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HijriCalendar System.Globalization.IdnMapping System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.ArrayPool`1[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SearchValues System.Buffers.SearchValues`1[T] System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Utf8Formatter System.Buffers.Text.Utf8Parser System.Buffers.Binary.BinaryPrimitives System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.Thread System.Threading.ThreadPool System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CompressedStack System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.LockRecursionException System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterLockSlim System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ThreadAbortException System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.PeriodicTimer System.Threading.TimerCallback System.Threading.Timer System.Threading.Volatile System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.ITimer System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskScheduler System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.ASCIIEncoding System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.EncodingInfo System.Text.EncodingProvider System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.UnicodeEncoding System.Text.UTF32Encoding System.Text.UTF7Encoding System.Text.UTF8Encoding System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Runtime.ControlledExecution System.Runtime.DependentHandle System.Runtime.GCSettings System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.VersioningHelper System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Reflection.Assembly System.Reflection.AssemblyName System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodInvoker System.Reflection.CustomAttributeTypedArgument System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.Missing System.Reflection.Module System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.SignatureHelper System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeBuilder System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStreamOptions System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.PathTooLongException System.IO.RandomAccess System.IO.SearchOption System.IO.SeekOrigin System.IO.Stream System.IO.StreamReader System.IO.StreamWriter System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextWriter System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.StackFrame System.Diagnostics.StackTrace System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.EventTags System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.ArrayList System.Collections.Comparer System.Collections.DictionaryEntry System.Collections.Hashtable System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.CollectionExtensions System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IList`1[T] System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer Internal.Console Internal.Console+Error", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Reflection.Metadata.MetadataUpdateHandlerAttribute(typeof(System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler))] [System.CLSCompliantAttribute((Boolean)True)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)False)] [System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute((System.Runtime.InteropServices.DllImportSearchPath)2050)] [System.Reflection.AssemblyMetadataAttribute(\"Serviceable\", \"True\")] [System.Reflection.AssemblyMetadataAttribute(\"IsTrimmable\", \"True\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")] [System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute()] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"© Microsoft Corporation. All rights reserved.\")] [System.Reflection.AssemblyDescriptionAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyFileVersionAttribute(\"9.0.625.26613\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"9.0.6+3875b54e7b10b10606b105340199946d0b877754\")] [System.Reflection.AssemblyProductAttribute(\"Microsoft® .NET\")] [System.Reflection.AssemblyTitleAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyMetadataAttribute(\"RepositoryUrl\", \"https://github.com/dotnet/runtime\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Private.CoreLib.dll", + "Modules": "System.Private.CoreLib.dll", + "SecurityRuleSet": 0 + }, + "ModuleHandle": { + "MDStreamVersion": 131072 + }, + "CustomAttributes": [ + "[System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)]", + "[System.Runtime.CompilerServices.NullablePublicOnlyAttribute((Boolean)False)]", + "[System.Runtime.CompilerServices.SkipLocalsInitAttribute()]" + ] + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712117274280 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Void", + "AssemblyQualifiedName": "System.Void, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "962ce4fe-96d6-3545-86d7-2a92748d877c", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 1, + "CharSet": 2, + "Value": 0, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Void", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Private.CoreLib.dll", + "FullName": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "EntryPoint": null, + "DefinedTypes": "Interop Interop+OleAut32 Interop+Globalization Interop+Globalization+ResultCode Interop+BOOL Interop+Kernel32 Interop+Kernel32+NlsVersionInfoEx Interop+Kernel32+OVERLAPPED_ENTRY Interop+Kernel32+CONDITION_VARIABLE Interop+Kernel32+BY_HANDLE_FILE_INFORMATION Interop+Kernel32+CRITICAL_SECTION Interop+Kernel32+FILE_BASIC_INFO Interop+Kernel32+FILE_ALLOCATION_INFO Interop+Kernel32+FILE_END_OF_FILE_INFO Interop+Kernel32+FILE_STANDARD_INFO Interop+Kernel32+FILE_TIME Interop+Kernel32+FINDEX_INFO_LEVELS Interop+Kernel32+FINDEX_SEARCH_OPS Interop+Kernel32+GET_FILEEX_INFO_LEVELS Interop+Kernel32+CPINFO Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+PROCESS_MEMORY_COUNTERS Interop+Kernel32+MEMORY_BASIC_INFORMATION Interop+Kernel32+MEMORYSTATUSEX Interop+Kernel32+SymbolicLinkReparseBuffer Interop+Kernel32+MountPointReparseBuffer Interop+Kernel32+SECURITY_ATTRIBUTES Interop+Kernel32+STORAGE_READ_CAPACITY Interop+Kernel32+SYSTEM_INFO Interop+Kernel32+SYSTEMTIME Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+REG_TZI_FORMAT Interop+Kernel32+WIN32_FILE_ATTRIBUTE_DATA Interop+Kernel32+WIN32_FIND_DATA Interop+Kernel32+WIN32_FIND_DATA+<_cAlternateFileName>e__FixedBuffer Interop+Kernel32+WIN32_FIND_DATA+<_cFileName>e__FixedBuffer Interop+Kernel32+PROCESSOR_NUMBER Interop+Normaliz Interop+HostPolicy Interop+HostPolicy+corehost_resolve_component_dependencies_result_fn Interop+HostPolicy+corehost_error_writer_fn Interop+Advapi32 Interop+Advapi32+ActivityControl Interop+Advapi32+EVENT_FILTER_DESCRIPTOR Interop+Advapi32+EVENT_INFO_CLASS Interop+Advapi32+TRACE_QUERY_INFO_CLASS Interop+Advapi32+TRACE_GUID_INFO Interop+Advapi32+TRACE_PROVIDER_INSTANCE_INFO Interop+Advapi32+TRACE_ENABLE_INFO Interop+Advapi32+TOKEN_ELEVATION Interop+Advapi32+TOKEN_INFORMATION_CLASS Interop+BCrypt Interop+BCrypt+NTSTATUS Interop+Crypt32 Interop+BOOLEAN Interop+NtDll Interop+NtDll+CreateDisposition Interop+NtDll+CreateOptions Interop+NtDll+DesiredAccess Interop+NtDll+IO_STATUS_BLOCK Interop+NtDll+IO_STATUS_BLOCK+IO_STATUS Interop+NtDll+FILE_FULL_DIR_INFORMATION Interop+NtDll+FILE_INFORMATION_CLASS Interop+NtDll+RTL_OSVERSIONINFOEX Interop+NtDll+RTL_OSVERSIONINFOEX+e__FixedBuffer Interop+NtDll+SYSTEM_LEAP_SECOND_INFORMATION Interop+StatusOptions Interop+UNICODE_STRING Interop+SECURITY_QUALITY_OF_SERVICE Interop+ImpersonationLevel Interop+ContextTrackingMode Interop+OBJECT_ATTRIBUTES Interop+ObjectAttributes Interop+Ole32 Interop+Secur32 Interop+Shell32 Interop+Ucrtbase Interop+User32 Interop+User32+USEROBJECTFLAGS Interop+LongFileTime Microsoft.Win32.OAVariantLib Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource+<>c Microsoft.Win32.SafeHandles.SafeWaitHandle Microsoft.Win32.SafeHandles.SafeTokenHandle Microsoft.Win32.SafeHandles.SafeThreadHandle Microsoft.Win32.SafeHandles.SafeFindHandle Microsoft.Win32.SafeHandles.SafeThreadPoolIOHandle System.__Canon System.ArgIterator System.ArgIterator+SigPointer System.Array System.Array+ArrayAssignType System.Array+ArrayInitializeCache System.Array+EmptyArray`1[T] System.Array+SorterObjectArray System.Array+SorterGenericArray System.SZArrayHelper System.Attribute System.BadImageFormatException System.Buffer System.ComAwareWeakReference System.ComAwareWeakReference+ComInfo System.Currency System.Decimal System.Decimal+DecCalc System.Decimal+DecCalc+PowerOvfl System.Decimal+DecCalc+Buf12 System.Decimal+DecCalc+Buf16 System.Decimal+DecCalc+Buf24 System.Decimal+DecCalc+Buf28 System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.DelegateBindingFlags System.Enum System.Enum+EnumInfo`1[TStorage] System.Enum+<>c__62`1[TStorage] System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Environment+WindowsVersion System.Exception System.Exception+ExceptionMessageKind System.Exception+DispatchState System.GCCollectionMode System.GCNotificationStatus System.GC System.GC+GC_ALLOC_FLAGS System.GC+StartNoGCRegionStatus System.GC+EndNoGCRegionStatus System.GC+NoGCRegionCallbackFinalizerWorkItem System.GC+EnableNoGCRegionCallbackStatus System.GC+GCConfigurationContext System.GC+GCConfigurationType System.GC+RefreshMemoryStatus System.GC+GCHeapHardLimitInfo System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeTypeHandle+IntroducedMethodEnumerator System.RuntimeMethodHandleInternal System.RuntimeMethodInfoStub System.IRuntimeMethodInfo System.RuntimeMethodHandle System.RuntimeFieldHandleInternal System.IRuntimeFieldInfo System.RuntimeFieldInfoStub System.RuntimeFieldHandle System.ModuleHandle System.Signature System.Resolver System.Resolver+CORINFO_EH_CLAUSE System.RuntimeType System.RuntimeType+ActivatorCache System.RuntimeType+MemberListType System.RuntimeType+ListBuilder`1[T] System.RuntimeType+RuntimeTypeCache System.RuntimeType+RuntimeTypeCache+CacheType System.RuntimeType+RuntimeTypeCache+Filter System.RuntimeType+RuntimeTypeCache+MemberInfoCache`1[T] System.RuntimeType+RuntimeTypeCache+FunctionPointerCache System.RuntimeType+DispatchWrapperType System.RuntimeType+BoxCache System.RuntimeType+CreateUninitializedCache System.RuntimeType+CompositeCacheEntry System.RuntimeType+IGenericCacheEntry System.RuntimeType+IGenericCacheEntry`1[TCache] System.RuntimeType+CheckValueStatus System.TypeNameFormatFlags System.TypeNameKind System.MdUtf8String System.StartupHookProvider System.StartupHookProvider+StartupHookNameOrPath System.String System.String+SearchValuesStorage System.Type System.Type+<>c System.TypedReference System.TypeLoadException System.ValueType System.ValueType+ValueTypeHashCodeStrategy System.__ComObject System.OleAutBinder System.Variant System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppContextConfigHelper System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArrayEnumerator System.SZGenericArrayEnumeratorBase System.SZGenericArrayEnumerator`1[T] System.GenericEmptyEnumeratorBase System.GenericEmptyEnumerator`1[T] System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.ByReference System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.CurrentSystemTimeZone System.DataMisalignedException System.DateOnly System.DateOnly+<>c System.DateTime System.DateTime+LeapSecondCache System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DefaultBinder System.DefaultBinder+Primitives System.DefaultBinder+BinderState System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.Empty System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfoData System.GCMemoryInfo System.Gen2GcCallback System.DateTimeFormat System.DateTimeParse System.DateTimeParse+DTT System.DateTimeParse+TM System.DateTimeParse+DS System.__DTString System.DTSubStringType System.DTSubString System.DateTimeToken System.DateTimeRawInfo System.ParseFailureKind System.ParseFlags System.DateTimeResult System.ParsingInfo System.TokenType System.Guid System.Guid+GuidParseThrowStyle System.Guid+ParseFailure System.Guid+GuidResult System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.TwoObjects System.ThreeObjects System.EightObjects System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtfChar`1[TSelf] System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.LazyState System.LazyHelper System.Lazy`1[T] System.LazyDebugView`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalAppContextSwitches System.LocalDataStoreSlot System.MarshalByRefObject System.Marvin System.MemberAccessException System.Memory`1[T] System.MemoryDebugView`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+SpanSplitEnumeratorMode System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.Number System.Number+BigInteger System.Number+BigInteger+<_blocks>e__FixedBuffer System.Number+DiyFp System.Number+Grisu3 System.Number+IHexOrBinaryParser`1[TInteger] System.Number+HexParser`1[TInteger] System.Number+BinaryParser`1[TInteger] System.Number+NumberBuffer System.Number+NumberBufferKind System.Number+ParsingStatus System.IBinaryIntegerParseAndFormatInfo`1[TSelf] System.IBinaryFloatParseAndFormatInfo`1[TSelf] System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.ParseNumbers System.PasteArguments System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.ProgressStatics System.Random System.Random+ThreadSafeRandom System.Random+ImplBase System.Random+Net5CompatSeedImpl System.Random+Net5CompatDerivedImpl System.Random+CompatPrng System.Random+XoshiroImpl System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.SpanDebugView`1[T] System.SpanHelpers System.SpanHelpers+ComparerComparable`2[T,TComparer] System.SpanHelpers+Block16 System.SpanHelpers+Block64 System.SpanHelpers+INegator`1[T] System.SpanHelpers+DontNegate`1[T] System.SpanHelpers+Negate`1[T] System.PackedSpanHelpers System.PackedSpanHelpers+ITransform System.PackedSpanHelpers+NopTransform System.PackedSpanHelpers+Or20Transform System.SR System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.OrdinalCaseSensitiveComparer System.OrdinalIgnoreCaseComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.ThrowHelper System.ExceptionArgument System.ExceptionResource System.TimeOnly System.TimeOnly+<>c System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TimeZoneInfoResult System.TimeZoneInfo+CachedData System.TimeZoneInfo+StringSerializer System.TimeZoneInfo+StringSerializer+State System.TimeZoneInfo+TransitionTime System.TimeZoneInfo+OffsetAndRule System.TimeZoneInfo+<>c System.TimeZoneInfoOptions System.TimeZoneNotFoundException System.ITupleInternal System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleSlim`2[T1,T2] System.TupleSlim`3[T1,T2,T3] System.TupleSlim`4[T1,T2,T3,T4] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.IValueTupleInternal System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.TimeProvider+SystemTimeProviderTimer System.TimeProvider+SystemTimeProvider System.HexConverter System.HexConverter+Casing System.HexConverter+<>c System.NotImplemented System.Sha1ForNonSecretPurposes System.FixedBufferExtensions System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Private.CoreLib.Strings System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecureString+UnmanagedBuffer System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityElement+<>c System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.FastResourceComparer System.Resources.FileBasedResourceGroveler System.Resources.IResourceGroveler System.Resources.IResourceReader System.Resources.ManifestBasedResourceGroveler System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceFallbackManager System.Resources.ResourceFallbackManager+d__5 System.Resources.ResourceManager System.Resources.ResourceManager+CultureNameResourceSetPair System.Resources.ResourceManager+ResourceManagerMediator System.Resources.ResourceReader System.Resources.ResourceReader+ResourceEnumerator System.Resources.ResourceReader+<>c__DisplayClass7_0`1[TInstance] System.Resources.ResourceLocator System.Resources.ResourceSet System.Resources.ResourceTypeCode System.Resources.RuntimeResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.BitOperations+Crc32Fallback System.Numerics.Matrix3x2 System.Numerics.Matrix3x2+Impl System.Numerics.Matrix4x4 System.Numerics.Matrix4x4+Impl System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.VectorDebugView`1[T] System.Numerics.Crc32ReflectedTable System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Net.WebUtility+UrlDecoder System.Net.WebUtility+HtmlEntities System.Net.WebUtility+<>c System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarData System.Globalization.CalendarData+IcuEnumCalendarsData System.Globalization.CalendarData+EnumData System.Globalization.CalendarData+NlsEnumCalendarsData System.Globalization.CalendarData+<>c System.Globalization.CalendarDataType System.Globalization.CalendarWeekRule System.Globalization.CalendricalCalculationsHelper System.Globalization.CalendricalCalculationsHelper+CorrectionAlgorithm System.Globalization.CalendricalCalculationsHelper+EphemerisCorrectionAlgorithmMap System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareInfo+SortHandleCache System.Globalization.CompareOptions System.Globalization.CultureData System.Globalization.CultureData+LocaleStringData System.Globalization.CultureData+LocaleGroupingData System.Globalization.CultureData+LocaleNumberData System.Globalization.CultureData+EnumLocaleData System.Globalization.CultureData+EnumData System.Globalization.CultureInfo System.Globalization.CultureInfo+<>O System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.MonthNameStyles System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo+TokenHashValue System.Globalization.FORMATFLAGS System.Globalization.CalendarId System.Globalization.DateTimeFormatInfoScanner System.Globalization.DateTimeFormatInfoScanner+FoundDatePattern System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DaylightTimeStruct System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GlobalizationMode System.Globalization.GlobalizationMode+Settings System.Globalization.GregorianCalendar System.Globalization.EraInfo System.Globalization.GregorianCalendarHelper System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HebrewCalendar+DateBuffer System.Globalization.HebrewNumberParsingContext System.Globalization.HebrewNumberParsingState System.Globalization.HebrewNumber System.Globalization.HebrewNumber+HebrewToken System.Globalization.HebrewNumber+HebrewValue System.Globalization.HebrewNumber+HS System.Globalization.HijriCalendar System.Globalization.IcuLocaleDataParts System.Globalization.IcuLocaleData System.Globalization.IdnMapping System.Globalization.InvariantModeCasing System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseCalendar+<>O System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.Normalization System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.Ordinal System.Globalization.OrdinalCasing System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.StrongBidiCategory System.Globalization.SurrogateCasing System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.TextInfo+Tristate System.Globalization.TextInfo+ToUpperConversion System.Globalization.TextInfo+ToLowerConversion System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanFormat System.Globalization.TimeSpanFormat+StandardFormat System.Globalization.TimeSpanFormat+FormatLiterals System.Globalization.TimeSpanParse System.Globalization.TimeSpanParse+TimeSpanStandardStyles System.Globalization.TimeSpanParse+TTT System.Globalization.TimeSpanParse+TimeSpanToken System.Globalization.TimeSpanParse+TimeSpanTokenizer System.Globalization.TimeSpanParse+TimeSpanRawInfo System.Globalization.TimeSpanParse+TimeSpanResult System.Globalization.TimeSpanParse+StringParser System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UmAlQuraCalendar+DateMapping System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.CodeDom.Compiler.IndentedTextWriter+d__23 System.CodeDom.Compiler.IndentedTextWriter+d__38 System.CodeDom.Compiler.IndentedTextWriter+d__39 System.CodeDom.Compiler.IndentedTextWriter+d__40 System.CodeDom.Compiler.IndentedTextWriter+d__41 System.CodeDom.Compiler.IndentedTextWriter+d__42 System.CodeDom.Compiler.IndentedTextWriter+d__61 System.CodeDom.Compiler.IndentedTextWriter+d__62 System.CodeDom.Compiler.IndentedTextWriter+d__63 System.CodeDom.Compiler.IndentedTextWriter+d__64 System.CodeDom.Compiler.IndentedTextWriter+d__65 System.CodeDom.Compiler.IndentedTextWriter+d__66 System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.SpanFunc`5[TSpan,T1,T2,T3,TResult] System.Buffers.ArrayPool`1[T] System.Buffers.ArrayPoolEventSource System.Buffers.ArrayPoolEventSource+BufferAllocatedReason System.Buffers.ArrayPoolEventSource+BufferDroppedReason System.Buffers.ConfigurableArrayPool`1[T] System.Buffers.ConfigurableArrayPool`1+Bucket[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SharedArrayPool`1[T] System.Buffers.SharedArrayPool`1+<>c[T] System.Buffers.SharedArrayPoolThreadLocalArray System.Buffers.SharedArrayPoolPartitions System.Buffers.SharedArrayPoolPartitions+Partition System.Buffers.SharedArrayPoolStatics System.Buffers.Utilities System.Buffers.Utilities+MemoryPressure System.Buffers.Any1CharPackedSearchValues System.Buffers.Any1CharPackedIgnoreCaseSearchValues System.Buffers.Any2CharPackedIgnoreCaseSearchValues System.Buffers.Any3CharPackedSearchValues System.Buffers.Any2CharPackedSearchValues System.Buffers.Any1SearchValues`2[T,TImpl] System.Buffers.Any2SearchValues`2[T,TImpl] System.Buffers.Any3SearchValues`2[T,TImpl] System.Buffers.BitVector256 System.Buffers.BitVector256+<_values>e__FixedBuffer System.Buffers.ProbabilisticMapState System.Buffers.ProbabilisticWithAsciiCharSearchValues`1[TOptimizations] System.Buffers.Any4SearchValues`2[T,TImpl] System.Buffers.Any5SearchValues`2[T,TImpl] System.Buffers.AsciiByteSearchValues System.Buffers.AsciiCharSearchValues`1[TOptimizations] System.Buffers.IndexOfAnyAsciiSearcher System.Buffers.IndexOfAnyAsciiSearcher+AsciiState System.Buffers.IndexOfAnyAsciiSearcher+AnyByteState System.Buffers.IndexOfAnyAsciiSearcher+INegator System.Buffers.IndexOfAnyAsciiSearcher+DontNegate System.Buffers.IndexOfAnyAsciiSearcher+Negate System.Buffers.IndexOfAnyAsciiSearcher+IOptimizations System.Buffers.IndexOfAnyAsciiSearcher+Ssse3AndWasmHandleZeroInNeedle System.Buffers.IndexOfAnyAsciiSearcher+Default System.Buffers.IndexOfAnyAsciiSearcher+IResultMapper`2[T,TResult] System.Buffers.IndexOfAnyAsciiSearcher+ContainsAnyResultMapper`1[T] System.Buffers.IndexOfAnyAsciiSearcher+IndexOfAnyResultMapper`1[T] System.Buffers.AnyByteSearchValues System.Buffers.RangeByteSearchValues System.Buffers.RangeCharSearchValues`1[TShouldUsePacked] System.Buffers.ProbabilisticCharSearchValues System.Buffers.BitmapCharSearchValues System.Buffers.SearchValues System.Buffers.SearchValues+IRuntimeConst System.Buffers.SearchValues+TrueConst System.Buffers.SearchValues+FalseConst System.Buffers.SearchValues`1[T] System.Buffers.SearchValuesDebugView`1[T] System.Buffers.EmptySearchValues`1[T] System.Buffers.ProbabilisticMap System.Buffers.AhoCorasick System.Buffers.AhoCorasick+IFastScan System.Buffers.AhoCorasick+IndexOfAnyAsciiFastScan System.Buffers.AhoCorasick+NoFastScan System.Buffers.AhoCorasickBuilder System.Buffers.AhoCorasickNode System.Buffers.CharacterFrequencyHelper System.Buffers.RabinKarp System.Buffers.StringSearchValuesHelper System.Buffers.StringSearchValuesHelper+IValueLength System.Buffers.StringSearchValuesHelper+ValueLengthLessThan4 System.Buffers.StringSearchValuesHelper+ValueLength4To7 System.Buffers.StringSearchValuesHelper+ValueLength8OrLongerOrUnknown System.Buffers.StringSearchValuesHelper+ICaseSensitivity System.Buffers.StringSearchValuesHelper+CaseSensitive System.Buffers.StringSearchValuesHelper+CaseInsensitiveAsciiLetters System.Buffers.StringSearchValuesHelper+CaseInsensitiveAscii System.Buffers.StringSearchValuesHelper+CaseInsensitiveUnicode System.Buffers.TeddyBucketizer System.Buffers.TeddyHelper System.Buffers.AsciiStringSearchValuesTeddyBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBase`3[TBucketized,TStartCaseSensitivity,TCaseSensitivity] System.Buffers.MultiStringIgnoreCaseSearchValuesFallback System.Buffers.SingleStringSearchValuesThreeChars`2[TValueLength,TCaseSensitivity] System.Buffers.SingleStringSearchValuesFallback`1[TIgnoreCase] System.Buffers.StringSearchValues System.Buffers.StringSearchValues+<>c System.Buffers.StringSearchValuesBase System.Buffers.StringSearchValuesAhoCorasick`2[TCaseSensitivity,TFastScanVariant] System.Buffers.StringSearchValuesRabinKarp`1[TCaseSensitivity] System.Buffers.Text.Base64Helper System.Buffers.Text.Base64Helper+Base64DecoderByte System.Buffers.Text.Base64Helper+IBase64Encoder`1[T] System.Buffers.Text.Base64Helper+IBase64Decoder`1[T] System.Buffers.Text.Base64Helper+IBase64Validatable`1[T] System.Buffers.Text.Base64Helper+Base64CharValidatable System.Buffers.Text.Base64Helper+Base64ByteValidatable System.Buffers.Text.Base64Helper+Base64EncoderByte System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Base64Url+Base64UrlDecoderByte System.Buffers.Text.Base64Url+Base64UrlDecoderChar System.Buffers.Text.Base64Url+Base64UrlEncoderByte System.Buffers.Text.Base64Url+Base64UrlEncoderChar System.Buffers.Text.Base64Url+Base64UrlCharValidatable System.Buffers.Text.Base64Url+Base64UrlByteValidatable System.Buffers.Text.Base64Url+<>c System.Buffers.Text.FormattingHelpers System.Buffers.Text.Utf8Formatter System.Buffers.Text.ParserHelpers System.Buffers.Text.Utf8Parser System.Buffers.Text.Utf8Parser+ParseNumberOptions System.Buffers.Text.Utf8Parser+ComponentParseResult System.Buffers.Text.Utf8Parser+TimeSpanSplitter System.Buffers.Binary.BinaryPrimitives System.Buffers.Binary.BinaryPrimitives+Int16EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int32EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int64EndiannessReverser System.Buffers.Binary.BinaryPrimitives+IEndiannessReverser`1[T] System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.SynchronizationContext+<>c System.Threading.ThreadHandle System.Threading.Thread System.Threading.Thread+StartHelper System.Threading.Thread+LocalDataStore System.Threading.ThreadPool System.Threading.ThreadPool+<>c System.Threading.ThreadPool+d__26 System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.IAsyncLocal System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.IAsyncLocalValueMap System.Threading.AsyncLocalValueMap System.Threading.AsyncLocalValueMap+EmptyAsyncLocalValueMap System.Threading.AsyncLocalValueMap+OneElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+TwoElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ThreeElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+FourElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+MultiElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ManyElementAsyncLocalValueMap System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationToken+<>c System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CancellationTokenSource+States System.Threading.CancellationTokenSource+Linked1CancellationTokenSource System.Threading.CancellationTokenSource+Linked2CancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource+<>c System.Threading.CancellationTokenSource+Registrations System.Threading.CancellationTokenSource+Registrations+d__12 System.Threading.CancellationTokenSource+CallbackNode System.Threading.CancellationTokenSource+CallbackNode+<>c System.Threading.CancellationTokenSource+<>c System.Threading.CompressedStack System.Threading.StackCrawlMark System.Threading.IDeferredDisposable System.Threading.DeferredDisposableLifetime`1[T] System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IOCompletionCallbackHelper System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.Lock+State System.Threading.Lock+TryLockResult System.Threading.Lock+ThreadId System.Threading.LockRecursionException System.Threading.LowLevelLock System.Threading.LowLevelSpinWaiter System.Threading.LowLevelMonitor System.Threading.LowLevelMonitor+Monitor System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterCount System.Threading.ReaderWriterLockSlim System.Threading.ReaderWriterLockSlim+TimeoutTracker System.Threading.ReaderWriterLockSlim+SpinLock System.Threading.ReaderWriterLockSlim+WaiterStates System.Threading.ReaderWriterLockSlim+EnterSpinLockReason System.Threading.ReaderWriterLockSlim+EnterLockType System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SemaphoreSlim+TaskNode System.Threading.SemaphoreSlim+d__31 System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinLock+SystemThreading_SpinLockDebugView System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ProcessorIdCache System.Threading.ThreadAbortException System.Threading.ThreadBlockingInfo System.Threading.ThreadBlockingInfo+Scope System.Threading.ThreadBlockingInfo+ObjectKind System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInt64PersistentCounter System.Threading.ThreadInt64PersistentCounter+ThreadLocalNode System.Threading.ThreadInt64PersistentCounter+ThreadLocalNodeFinalizationHelper System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.ThreadLocal`1+LinkedSlotVolatile[T] System.Threading.ThreadLocal`1+LinkedSlot[T] System.Threading.ThreadLocal`1+IdManager[T] System.Threading.ThreadLocal`1+FinalizationHelper[T] System.Threading.SystemThreading_ThreadLocalDebugView`1[T] System.Threading.ThreadPoolWorkQueue System.Threading.ThreadPoolWorkQueue+WorkStealingQueueList System.Threading.ThreadPoolWorkQueue+WorkStealingQueue System.Threading.ThreadPoolWorkQueue+QueueProcessingStage System.Threading.ThreadPoolWorkQueue+CacheLineSeparated System.Threading.ThreadPoolWorkQueueThreadLocals System.Threading.IThreadPoolTypedWorkItemQueueCallback`1[T] System.Threading.ThreadPoolTypedWorkItemQueue`2[T,TCallback] System.Threading.ThreadPoolTypedWorkItemQueue`2+QueueProcessingStage[T,TCallback] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.QueueUserWorkItemCallbackBase System.Threading.QueueUserWorkItemCallback System.Threading.QueueUserWorkItemCallback+<>c System.Threading.QueueUserWorkItemCallback`1[TState] System.Threading.QueueUserWorkItemCallbackDefaultContext System.Threading.QueueUserWorkItemCallbackDefaultContext`1[TState] System.Threading._ThreadPoolWaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.TimeoutHelper System.Threading.PeriodicTimer System.Threading.PeriodicTimer+State System.Threading.PeriodicTimer+State+<>c System.Threading.PeriodicTimer+<>c System.Threading.TimerCallback System.Threading.TimerQueue System.Threading.TimerQueue+TimerQueueDebuggerTypeProxy System.Threading.TimerQueue+<>O System.Threading.TimerQueue+d__7 System.Threading.TimerQueueTimer System.Threading.TimerQueueTimer+TimerDebuggerTypeProxy System.Threading.TimerQueueTimer+<>c System.Threading.TimerHolder System.Threading.Timer System.Threading.Timer+<>c System.Threading.Volatile System.Threading.Volatile+VolatileBoolean System.Threading.Volatile+VolatileByte System.Threading.Volatile+VolatileInt16 System.Threading.Volatile+VolatileInt32 System.Threading.Volatile+VolatileIntPtr System.Threading.Volatile+VolatileSByte System.Threading.Volatile+VolatileSingle System.Threading.Volatile+VolatileUInt16 System.Threading.Volatile+VolatileUInt32 System.Threading.Volatile+VolatileUIntPtr System.Threading.Volatile+VolatileObject System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.Win32ThreadPoolNativeOverlapped System.Threading.Win32ThreadPoolNativeOverlapped+ExecutionContextCallbackArgs System.Threading.Win32ThreadPoolNativeOverlapped+OverlappedData System.Threading.Win32ThreadPoolNativeOverlapped+<>O System.Threading.ITimer System.Threading.OpenExistingResult System.Threading.AsyncOverSyncWithIoCancellation System.Threading.AsyncOverSyncWithIoCancellation+SyncAsyncWorkItemRegistration System.Threading.AsyncOverSyncWithIoCancellation+<>c System.Threading.AsyncOverSyncWithIoCancellation+d__7`1[TState] System.Threading.AsyncOverSyncWithIoCancellation+d__8`2[TState,TResult] System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.WindowsThreadPool System.Threading.WindowsThreadPool+ThreadCountHolder System.Threading.WindowsThreadPool+WorkingThreadCounter System.Threading.WindowsThreadPool+<>O System.Threading.CompleteWaitThreadPoolWorkItem System.Threading.PortableThreadPool System.Threading.PortableThreadPool+CacheLineSeparated System.Threading.PortableThreadPool+PendingBlockingAdjustment System.Threading.PortableThreadPool+BlockingConfig System.Threading.PortableThreadPool+GateThread System.Threading.PortableThreadPool+GateThread+DelayHelper System.Threading.PortableThreadPool+GateThread+<>O System.Threading.PortableThreadPool+HillClimbing System.Threading.PortableThreadPool+HillClimbing+StateOrTransition System.Threading.PortableThreadPool+HillClimbing+LogEntry System.Threading.PortableThreadPool+HillClimbing+Complex System.Threading.PortableThreadPool+IOCompletionPoller System.Threading.PortableThreadPool+IOCompletionPoller+Callback System.Threading.PortableThreadPool+IOCompletionPoller+Event System.Threading.PortableThreadPool+ThreadCounts System.Threading.PortableThreadPool+WaitThreadNode System.Threading.PortableThreadPool+WaitThread System.Threading.PortableThreadPool+WorkerThread System.Threading.PortableThreadPool+WorkerThread+<>c System.Threading.PortableThreadPool+CountsOfThreadsProcessingUserCallbacks System.Threading.PortableThreadPool+CpuUtilizationReader System.Threading.LowLevelLifoSemaphore System.Threading.LowLevelLifoSemaphore+Counts System.Threading.LowLevelLifoSemaphore+CacheLineSeparatedCounts System.Threading.ThreadPoolBoundHandleOverlapped System.Threading.ThreadPoolCallbackWrapper System.Threading.Tasks.AsyncCausalityStatus System.Threading.Tasks.CausalityRelation System.Threading.Tasks.CausalitySynchronousWork System.Threading.Tasks.CachedCompletedInt32Task System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+CompletionState System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+SchedulerWorkItem System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+<>c System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ProcessingMode System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+<>c System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.SystemThreadingTasks_FutureDebugView`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskFactory`1+FromAsyncTrimPromise`1[TResult,TInstance] System.Threading.Tasks.TaskFactory`1+<>c[TResult] System.Threading.Tasks.TaskFactory`1+<>c__56`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__67`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass32_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass35_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass38_0`1[TResult,TArg1] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass41_0`2[TResult,TArg1,TArg2] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass44_0`3[TResult,TArg1,TArg2,TArg3] System.Threading.Tasks.LoggingExtensions System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.Task+TaskStateFlags System.Threading.Tasks.Task+ContingentProperties System.Threading.Tasks.Task+CancellationPromise`1[TResult] System.Threading.Tasks.Task+CancellationPromise`1+<>c[TResult] System.Threading.Tasks.Task+SetOnInvokeMres System.Threading.Tasks.Task+SetOnCountdownMres System.Threading.Tasks.Task+DelayPromise System.Threading.Tasks.Task+DelayPromiseWithCancellation System.Threading.Tasks.Task+DelayPromiseWithCancellation+<>c System.Threading.Tasks.Task+WhenAllPromise System.Threading.Tasks.Task+WhenAllPromise+<>c__DisplayClass2_0 System.Threading.Tasks.Task+WhenAllPromise`1[T] System.Threading.Tasks.Task+TwoTaskWhenAnyPromise`1[TTask] System.Threading.Tasks.Task+WhenEachState System.Threading.Tasks.Task+WhenEachState+d__15`1[T] System.Threading.Tasks.Task+<>c System.Threading.Tasks.CompletionActionInvoker System.Threading.Tasks.SystemThreadingTasks_TaskDebugView System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.InternalTaskOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.VoidTaskResult System.Threading.Tasks.ITaskCompletionAction System.Threading.Tasks.UnwrapPromise`1[TResult] System.Threading.Tasks.UnwrapPromise`1+<>c[TResult] System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskAsyncEnumerableExtensions+ManualResetEventWithAwaiterSupport System.Threading.Tasks.TaskAsyncEnumerableExtensions+d__3`1[T] System.Threading.Tasks.TaskCache System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.ContinuationTaskFromTask System.Threading.Tasks.ContinuationResultTaskFromTask`1[TResult] System.Threading.Tasks.ContinuationTaskFromResultTask`1[TAntecedentResult] System.Threading.Tasks.ContinuationResultTaskFromResultTask`2[TAntecedentResult,TResult] System.Threading.Tasks.TaskContinuation System.Threading.Tasks.ContinueWithTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>O System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c__DisplayClass6_0 System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation+<>c System.Threading.Tasks.AwaitTaskContinuation System.Threading.Tasks.AwaitTaskContinuation+<>c System.Threading.Tasks.TaskExceptionHolder System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise`1[T] System.Threading.Tasks.TaskFactory+CompleteOnInvokePromise`1[TTask] System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskScheduler+SystemThreadingTasks_TaskSchedulerDebugView System.Threading.Tasks.SynchronizationContextTaskScheduler System.Threading.Tasks.SynchronizationContextTaskScheduler+<>c System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ThreadPoolTaskScheduler System.Threading.Tasks.ThreadPoolTaskScheduler+<>c System.Threading.Tasks.ThreadPoolTaskScheduler+d__6 System.Threading.Tasks.TplEventSource System.Threading.Tasks.TplEventSource+TaskWaitBehavior System.Threading.Tasks.TplEventSource+Tasks System.Threading.Tasks.TplEventSource+Keywords System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask+<>c System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask+<>c[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.TaskToAsyncResult+TaskAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Threading.Tasks.Sources.CapturedSchedulerAndExecutionContext System.Threading.Tasks.Sources.ManualResetValueTaskSourceCoreShared System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+ChunkEnumerator+ManyChunkInfo System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.Ascii+ToUpperConversion System.Text.Ascii+ToLowerConversion System.Text.Ascii+ILoader`2[TLeft,TRight] System.Text.Ascii+PlainLoader`1[T] System.Text.Ascii+WideningLoader System.Text.ASCIIEncoding System.Text.ASCIIEncoding+ASCIIEncodingSealed System.Text.CodePageDataItem System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderNLS System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderLatin1BestFitFallback System.Text.EncoderLatin1BestFitFallbackBuffer System.Text.EncoderNLS System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.Encoding+DefaultEncoder System.Text.Encoding+DefaultDecoder System.Text.Encoding+EncodingCharBuffer System.Text.Encoding+EncodingByteBuffer System.Text.EncodingTable System.Text.EncodingInfo System.Text.EncodingProvider System.Text.Latin1Encoding System.Text.Latin1Encoding+Latin1EncodingSealed System.Text.Latin1Utility System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.TranscodingStream System.Text.TranscodingStream+<g__DisposeAsyncCore|30_0>d System.Text.TranscodingStream+<g__ReadAsyncCore|41_0>d System.Text.TranscodingStream+<g__WriteAsyncCore|50_0>d System.Text.TrimType System.Text.UnicodeEncoding System.Text.UnicodeEncoding+Decoder System.Text.UnicodeUtility System.Text.UTF32Encoding System.Text.UTF32Encoding+UTF32Decoder System.Text.UTF7Encoding System.Text.UTF7Encoding+Decoder System.Text.UTF7Encoding+Encoder System.Text.UTF7Encoding+DecoderUTF7Fallback System.Text.UTF7Encoding+DecoderUTF7FallbackBuffer System.Text.UTF8Encoding System.Text.UTF8Encoding+UTF8EncodingSealed System.Text.ValueStringBuilder System.Text.StringBuilderCache System.Text.Unicode.GraphemeClusterBreakType System.Text.Unicode.TextSegmentationUtility System.Text.Unicode.TextSegmentationUtility+DecodeFirstRune`1[T] System.Text.Unicode.TextSegmentationUtility+Processor`1[T] System.Text.Unicode.Utf16Utility System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Text.Unicode.Utf8Utility System.StubHelpers.AnsiCharMarshaler System.StubHelpers.CSTRMarshaler System.StubHelpers.UTF8BufferMarshaler System.StubHelpers.BSTRMarshaler System.StubHelpers.VBByValStrMarshaler System.StubHelpers.AnsiBSTRMarshaler System.StubHelpers.FixedWSTRMarshaler System.StubHelpers.ObjectMarshaler System.StubHelpers.HandleMarshaler System.StubHelpers.DateMarshaler System.StubHelpers.InterfaceMarshaler System.StubHelpers.MngdNativeArrayMarshaler System.StubHelpers.MngdNativeArrayMarshaler+MarshalerState System.StubHelpers.MngdFixedArrayMarshaler System.StubHelpers.MngdFixedArrayMarshaler+MarshalerState System.StubHelpers.MngdSafeArrayMarshaler System.StubHelpers.MngdRefCustomMarshaler System.StubHelpers.AsAnyMarshaler System.StubHelpers.AsAnyMarshaler+BackPropAction System.StubHelpers.CleanupWorkListElement System.StubHelpers.KeepAliveCleanupWorkListElement System.StubHelpers.SafeHandleCleanupWorkListElement System.StubHelpers.StubHelpers System.Runtime.ControlledExecution System.Runtime.ControlledExecution+Canceler System.Runtime.ControlledExecution+<>c System.Runtime.DependentHandle System.Runtime.RhFailFastReason System.Runtime.EH System.Runtime.EH+RhEHClauseKind System.Runtime.EH+RhEHClause System.Runtime.EH+EHEnum System.Runtime.EH+MethodRegionInfo System.Runtime.EH+PAL_LIMITED_CONTEXT System.Runtime.EH+ExKind System.Runtime.EH+ExInfo System.Runtime.ExceptionIDs System.Runtime.REGDISPLAY System.Runtime.StackFrameIterator System.Runtime.GCSettings System.Runtime.GCSettings+SetLatencyModeStatus System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCFrameRegistration System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.SxSRequirements System.Runtime.Versioning.VersioningHelper System.Runtime.Versioning.NonVersionableAttribute System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.DeserializationTracker System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+InternalState System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyLoadContext+d__88 System.Runtime.Loader.AssemblyLoadContext+d__58 System.Runtime.Loader.DefaultAssemblyLoadContext System.Runtime.Loader.IndividualAssemblyLoadContext System.Runtime.Loader.LibraryNameVariation System.Runtime.Loader.LibraryNameVariation+d__4 System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Loader.AssemblyDependencyResolver+<>c__DisplayClass6_0 System.Runtime.Intrinsics.ISimdVector`2[TSelf,T] System.Runtime.Intrinsics.Scalar`1[T] System.Runtime.Intrinsics.SimdVectorExtensions System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector128DebugView`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector256DebugView`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector512DebugView`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Vector64DebugView`1[T] System.Runtime.Intrinsics.VectorMath System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.DynamicInterfaceCastableHelpers System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.Marshal+<>O System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.MemoryMarshal+<g__FromArray|18_2>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromMemoryManager|18_1>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromString|18_0>d`1[T] System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappersScenario System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch+ComInterfaceInstance System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.IDispatch System.Runtime.InteropServices.InvokeFlags System.Runtime.InteropServices.ComEventsMethod System.Runtime.InteropServices.ComEventsMethod+DelegateWrapper System.Runtime.InteropServices.ComEventsSink System.Runtime.InteropServices.BuiltInInteropVariantExtensions System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.ComEventsInfo System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PosixSignalRegistration+Token System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.IMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ComVariant+TypeUnion System.Runtime.InteropServices.Marshalling.ComVariant+Record System.Runtime.InteropServices.Marshalling.ComVariant+Blob System.Runtime.InteropServices.Marshalling.ComVariant+Vector`1[T] System.Runtime.InteropServices.Marshalling.ComVariant+VersionedStream System.Runtime.InteropServices.Marshalling.ComVariant+ClipboardData System.Runtime.InteropServices.Marshalling.ComVariant+UnionTypes System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.CustomMarshalers.ComDataHelpers System.Runtime.InteropServices.CustomMarshalers.EnumVariantViewOfEnumerator System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumerableViewOfDispatch System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumeratorViewOfEnumVariant System.Runtime.InteropServices.CustomMarshalers.ExpandoToDispatchExMarshaler System.Runtime.InteropServices.CustomMarshalers.TypeToTypeInfoMarshaler System.Runtime.InteropServices.ComTypes.IEnumerable System.Runtime.InteropServices.ComTypes.IEnumerator System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.InternalCalls System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.CastHelpers System.Runtime.CompilerServices.ICastableHelpers System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.RawData System.Runtime.CompilerServices.RawArrayData System.Runtime.CompilerServices.MethodTable System.Runtime.CompilerServices.MethodTableAuxiliaryData System.Runtime.CompilerServices.TypeHandle System.Runtime.CompilerServices.PortableTailCallFrame System.Runtime.CompilerServices.TailCallTls System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncMethodBuilderCore+ContinuationWrapper System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+DebugFinalizableAsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+AsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CastResult System.Runtime.CompilerServices.CastCache System.Runtime.CompilerServices.CastCache+CastCacheEntry System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompExactlyDependsOnAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Enumerator[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Entry[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Container[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+<>c[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.FormattableStringFactory+ConcreteFormattableString System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.IAsyncStateMachineBox System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IntrinsicAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+SyncSuccessSentinelStateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StackAllocatedBox`1[T] System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter+<>c System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ITaskAwaiter System.Runtime.CompilerServices.IConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter+<>c System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.IStateMachineBoxAwareAwaiter System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter+<>c System.Runtime.CompilerServices.StringHandleOnStack System.Runtime.CompilerServices.ObjectHandleOnStack System.Runtime.CompilerServices.StackCrawlMarkHandle System.Runtime.CompilerServices.QCallModule System.Runtime.CompilerServices.QCallAssembly System.Runtime.CompilerServices.QCallTypeHandle System.Reflection.Assembly System.Reflection.Assembly+<>O System.Reflection.NativeAssemblyNameParts System.Reflection.AssemblyName System.Reflection.Associates System.Reflection.Associates+Attributes System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.LoaderAllocatorScout System.Reflection.LoaderAllocator System.Reflection.MdConstant System.Reflection.MdFieldInfo System.Reflection.MdSigCallingConvention System.Reflection.PInvokeAttributes System.Reflection.MethodSemanticsAttributes System.Reflection.MetadataTokenType System.Reflection.ConstArray System.Reflection.MetadataToken System.Reflection.MetadataEnumResult System.Reflection.MetadataEnumResult+SmallIntArray System.Reflection.MetadataImport System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodBase+InvokerStrategy System.Reflection.MethodBase+InvokerArgFlags System.Reflection.MethodBase+ArgumentData`1[T] System.Reflection.MethodBase+StackAllocatedArguments System.Reflection.MethodBase+StackAllocatedArgumentsWithCopyBack System.Reflection.MethodBase+StackAllocatedByRefs System.Reflection.MethodBaseInvoker System.Reflection.MethodInvoker System.Reflection.ModifiedType System.Reflection.ModifiedType+TypeSignature System.Reflection.RtFieldInfo System.Reflection.RuntimeAssembly System.Reflection.RuntimeAssembly+ManifestResourceStream System.Reflection.RuntimeConstructorInfo System.Reflection.RuntimeCustomAttributeData System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeRecord System.Reflection.CustomAttributeEncoding System.Reflection.PrimitiveValue System.Reflection.CustomAttributeEncodedArgument System.Reflection.CustomAttributeEncodedArgument+CustomAttributeDataParser System.Reflection.CustomAttributeCtorParameter System.Reflection.CustomAttributeNamedParameter System.Reflection.CustomAttributeType System.Reflection.CustomAttribute System.Reflection.PseudoCustomAttribute System.Reflection.RuntimeEventInfo System.Reflection.RuntimeExceptionHandlingClause System.Reflection.RuntimeFieldInfo System.Reflection.RuntimeLocalVariableInfo System.Reflection.RuntimeMethodBody System.Reflection.RuntimeMethodInfo System.Reflection.RuntimeModule System.Reflection.RuntimeParameterInfo System.Reflection.RuntimePropertyInfo System.Reflection.TypeNameResolver System.Reflection.CerHashtable`2[K,V] System.Reflection.CerHashtable`2+Table[K,V] System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameHelpers System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CorElementType System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAccessor System.Reflection.FieldAccessor+FieldAccessorType System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.InvocationFlags System.Reflection.InvokerEmitUtil System.Reflection.InvokerEmitUtil+InvokeFunc_RefArgs System.Reflection.InvokerEmitUtil+InvokeFunc_ObjSpanArgs System.Reflection.InvokerEmitUtil+InvokeFunc_Obj4Args System.Reflection.InvokerEmitUtil+ThrowHelper System.Reflection.InvokerEmitUtil+Methods System.Reflection.InvokeUtils System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.MethodInvokerCommon System.Reflection.Missing System.Reflection.ModifiedHasElementType System.Reflection.ModifiedFunctionPointerType System.Reflection.ModifiedGenericType System.Reflection.Module System.Reflection.Module+<>c System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.NullabilityInfoContext+NotAnnotatedStatus System.Reflection.NullabilityInfoContext+NullableAttributeStateParser System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.SignatureArrayType System.Reflection.SignatureByRefType System.Reflection.SignatureCallingConvention System.Reflection.SignatureConstructedGenericType System.Reflection.SignatureGenericMethodParameterType System.Reflection.SignatureGenericParameterType System.Reflection.SignatureHasElementType System.Reflection.SignaturePointerType System.Reflection.SignatureType System.Reflection.SignatureTypeExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.TypeInfo+d__10 System.Reflection.TypeInfo+d__22 System.Reflection.AssemblyNameParser System.Reflection.AssemblyNameParser+AssemblyNameParts System.Reflection.AssemblyNameParser+Token System.Reflection.AssemblyNameParser+AttributeKind System.Reflection.AssemblyNameFormatter System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler System.Reflection.Metadata.TypeNameParseOptions System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Metadata.AssemblyNameInfo System.Reflection.Metadata.TypeName System.Reflection.Metadata.TypeNameHelpers System.Reflection.Metadata.TypeNameParser System.Reflection.Metadata.TypeNameParserHelpers System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILGenerator System.Reflection.Emit.DynamicResolver System.Reflection.Emit.DynamicResolver+DestroyScout System.Reflection.Emit.DynamicResolver+SecurityControlFlags System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicScope System.Reflection.Emit.GenericMethodInfo System.Reflection.Emit.GenericFieldInfo System.Reflection.Emit.VarArgMethod System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.AssemblyBuilder+ForceAllowDynamicCodeScope System.Reflection.Emit.RuntimeAssemblyBuilder System.Reflection.Emit.RuntimeConstructorBuilder System.Reflection.Emit.RuntimeEnumBuilder System.Reflection.Emit.RuntimeEventBuilder System.Reflection.Emit.RuntimeFieldBuilder System.Reflection.Emit.RuntimeGenericTypeParameterBuilder System.Reflection.Emit.RuntimeILGenerator System.Reflection.Emit.__LabelInfo System.Reflection.Emit.__FixupData System.Reflection.Emit.__ExceptionInfo System.Reflection.Emit.ScopeAction System.Reflection.Emit.ScopeTree System.Reflection.Emit.RuntimeLocalBuilder System.Reflection.Emit.RuntimeMethodBuilder System.Reflection.Emit.LocalSymInfo System.Reflection.Emit.ExceptionHandler System.Reflection.Emit.RuntimeModuleBuilder System.Reflection.Emit.RuntimeParameterBuilder System.Reflection.Emit.RuntimePropertyBuilder System.Reflection.Emit.RuntimeTypeBuilder System.Reflection.Emit.RuntimeTypeBuilder+CustAttr System.Reflection.Emit.SignatureHelper System.Reflection.Emit.SymbolMethod System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.ConstructorOnTypeBuilderInstantiation System.Reflection.Emit.EmptyCAHolder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FieldOnTypeBuilderInstantiation System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.MethodBuilderInstantiation System.Reflection.Emit.MethodOnTypeBuilderInstantiation System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodeValues System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeKind System.Reflection.Emit.SymbolType System.Reflection.Emit.TypeBuilder System.Reflection.Emit.TypeBuilderInstantiation System.Reflection.Emit.TypeNameBuilder System.Reflection.Emit.TypeNameBuilder+Format System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.BufferedStream+d__68 System.IO.BufferedStream+d__33 System.IO.BufferedStream+d__36 System.IO.BufferedStream+d__40 System.IO.BufferedStream+d__48 System.IO.BufferedStream+d__59 System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EncodingCache System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.File+<g__Core|67_0>d System.IO.File+<g__Core|103_0>d System.IO.File+d__100 System.IO.File+d__101 System.IO.File+d__106 System.IO.File+d__94 System.IO.File+d__110 System.IO.File+d__124 System.IO.File+d__122 System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStream+d__57 System.IO.FileStreamOptions System.IO.FileSystem System.IO.FileSystem+<>c__DisplayClass50_0 System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.Iterator`1[TSource] System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.Path+JoinInternalState System.IO.Path+<>c System.IO.PathTooLongException System.IO.PinnedBufferMemoryStream System.IO.RandomAccess System.IO.RandomAccess+CallbackResetEvent System.IO.RandomAccess+IMemoryHandler`1[T] System.IO.RandomAccess+MemoryHandler System.IO.RandomAccess+ReadOnlyMemoryHandler System.IO.RandomAccess+<>c System.IO.RandomAccess+d__31 System.IO.RandomAccess+d__29 System.IO.RandomAccess+d__35 System.IO.RandomAccess+d__33 System.IO.ReadLinesIterator System.IO.SearchOption System.IO.SearchTarget System.IO.SeekOrigin System.IO.Stream System.IO.Stream+ReadWriteParameters System.IO.Stream+ReadWriteTask System.IO.Stream+ReadWriteTask+<>O System.IO.Stream+NullStream System.IO.Stream+SyncStream System.IO.Stream+<g__Core|27_0>d System.IO.Stream+<g__FinishReadAsync|42_0>d System.IO.Stream+<>c System.IO.Stream+d__61 System.IO.Stream+d__46 System.IO.StreamReader System.IO.StreamReader+NullStreamReader System.IO.StreamReader+d__69 System.IO.StreamReader+d__72 System.IO.StreamReader+d__63 System.IO.StreamReader+d__66 System.IO.StreamWriter System.IO.StreamWriter+NullStreamWriter System.IO.StreamWriter+<g__Core|79_0>d System.IO.StreamWriter+d__37 System.IO.StreamWriter+d__67 System.IO.StreamWriter+d__71 System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextReader+SyncTextReader System.IO.TextReader+<>c System.IO.TextReader+d__23 System.IO.TextReader+d__17 System.IO.TextWriter System.IO.TextWriter+NullTextWriter System.IO.TextWriter+SyncTextWriter System.IO.TextWriter+BroadcastingTextWriter System.IO.TextWriter+BroadcastingTextWriter+d__10 System.IO.TextWriter+BroadcastingTextWriter+d__12 System.IO.TextWriter+BroadcastingTextWriter+d__13 System.IO.TextWriter+BroadcastingTextWriter+d__55 System.IO.TextWriter+BroadcastingTextWriter+d__56 System.IO.TextWriter+BroadcastingTextWriter+d__57 System.IO.TextWriter+BroadcastingTextWriter+d__58 System.IO.TextWriter+BroadcastingTextWriter+d__59 System.IO.TextWriter+BroadcastingTextWriter+d__60 System.IO.TextWriter+BroadcastingTextWriter+d__61 System.IO.TextWriter+BroadcastingTextWriter+d__62 System.IO.TextWriter+BroadcastingTextWriter+d__63 System.IO.TextWriter+BroadcastingTextWriter+d__64 System.IO.TextWriter+BroadcastingTextWriter+d__65 System.IO.TextWriter+<g__WriteAsyncCore|62_0>d System.IO.TextWriter+<g__WriteLineAsyncCore|68_0>d System.IO.TextWriter+<>c System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.UnmanagedMemoryStreamWrapper System.IO.PathInternal System.IO.DisableMediaInsertionPrompt System.IO.DriveInfoInternal System.IO.PathHelper System.IO.Win32Marshal System.IO.Strategies.BufferedFileStreamStrategy System.IO.Strategies.BufferedFileStreamStrategy+d__57 System.IO.Strategies.BufferedFileStreamStrategy+d__27 System.IO.Strategies.BufferedFileStreamStrategy+d__55 System.IO.Strategies.BufferedFileStreamStrategy+d__37 System.IO.Strategies.BufferedFileStreamStrategy+d__36 System.IO.Strategies.BufferedFileStreamStrategy+d__48 System.IO.Strategies.BufferedFileStreamStrategy+d__47 System.IO.Strategies.DerivedFileStreamStrategy System.IO.Strategies.FileStreamHelpers System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable+<>c System.IO.Strategies.FileStreamHelpers+<>c System.IO.Strategies.FileStreamHelpers+d__21 System.IO.Strategies.FileStreamStrategy System.IO.Strategies.OSFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy+d__5 System.IO.Strategies.SyncWindowsFileStreamStrategy System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemEnumerable`1+DelegateEnumerator[TResult] System.IO.Enumeration.FileSystemEnumerableFactory System.IO.Enumeration.FileSystemEnumerableFactory+<>c System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass2_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass3_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass4_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass5_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass6_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass7_0 System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.Debugger+CrossThreadDependencyNotification System.Diagnostics.EditAndContinueHelper System.Diagnostics.ICustomDebuggerNotification System.Diagnostics.StackFrame System.Diagnostics.StackFrameHelper System.Diagnostics.StackFrameHelper+GetSourceLineInfoDelegate System.Diagnostics.StackTrace System.Diagnostics.StackTrace+TraceFormat System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DebugProvider+DebugAssertException System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.ActivityTracker System.Diagnostics.Tracing.ActivityTracker+ActivityInfo System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.CounterGroup System.Diagnostics.Tracing.CounterGroup+<>O System.Diagnostics.Tracing.CounterPayload System.Diagnostics.Tracing.CounterPayload+d__51 System.Diagnostics.Tracing.IncrementingCounterPayload System.Diagnostics.Tracing.IncrementingCounterPayload+d__39 System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.CounterPayloadType System.Diagnostics.Tracing.EventDescriptor System.Diagnostics.Tracing.EventPipeEventInstanceData System.Diagnostics.Tracing.EventPipeSessionInfo System.Diagnostics.Tracing.EventPipeProviderConfiguration System.Diagnostics.Tracing.EventPipeSerializationFormat System.Diagnostics.Tracing.EventPipeInternal System.Diagnostics.Tracing.EventPipeInternal+EventPipeProviderConfigurationNative System.Diagnostics.Tracing.EventPipeEventDispatcher System.Diagnostics.Tracing.EventPipeEventDispatcher+EventListenerSubscription System.Diagnostics.Tracing.EventPipeEventDispatcher+<>c__DisplayClass12_0 System.Diagnostics.Tracing.EventPipeEventProvider System.Diagnostics.Tracing.EventPipeMetadataGenerator System.Diagnostics.Tracing.EventParameterInfo System.Diagnostics.Tracing.EventPipePayloadDecoder System.Diagnostics.Tracing.EventProviderType System.Diagnostics.Tracing.ControllerCommand System.Diagnostics.Tracing.EventProvider System.Diagnostics.Tracing.EventProvider+EventData System.Diagnostics.Tracing.EventProvider+WriteEventErrorCode System.Diagnostics.Tracing.EtwEventProvider System.Diagnostics.Tracing.EtwEventProvider+SessionInfo System.Diagnostics.Tracing.EtwEventProvider+SessionInfoCallback System.Diagnostics.Tracing.EtwEventProvider+<>O System.Diagnostics.Tracing.EventProviderImpl System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSource+EventData System.Diagnostics.Tracing.EventSource+OverrideEventProvider System.Diagnostics.Tracing.EventSource+EventMetadata System.Diagnostics.Tracing.EventSource+<>O System.Diagnostics.Tracing.EventSourceInitHelper System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventListener+<>c System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs+MoreEventInfo System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventChannelAttribute System.Diagnostics.Tracing.EventChannelType System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.SessionMask System.Diagnostics.Tracing.EventDispatcher System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.ManifestBuilder System.Diagnostics.Tracing.ManifestBuilder+ChannelInfo System.Diagnostics.Tracing.ManifestBuilder+<>c System.Diagnostics.Tracing.ManifestEnvelope System.Diagnostics.Tracing.ManifestEnvelope+ManifestFormats System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.FrameworkEventSource System.Diagnostics.Tracing.FrameworkEventSource+Keywords System.Diagnostics.Tracing.FrameworkEventSource+Tasks System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingEventCounterPayloadType System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.IncrementingPollingCounterPayloadType System.Diagnostics.Tracing.NativeRuntimeEventSource System.Diagnostics.Tracing.NativeRuntimeEventSource+Messages System.Diagnostics.Tracing.NativeRuntimeEventSource+Tasks System.Diagnostics.Tracing.NativeRuntimeEventSource+Opcodes System.Diagnostics.Tracing.NativeRuntimeEventSource+ContentionFlagsMap System.Diagnostics.Tracing.NativeRuntimeEventSource+ThreadAdjustmentReasonMap System.Diagnostics.Tracing.NativeRuntimeEventSource+WaitHandleWaitSourceMap System.Diagnostics.Tracing.NativeRuntimeEventSource+Keywords System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.PollingPayloadType System.Diagnostics.Tracing.RuntimeEventSource System.Diagnostics.Tracing.RuntimeEventSource+Keywords System.Diagnostics.Tracing.RuntimeEventSource+EventId System.Diagnostics.Tracing.RuntimeEventSource+<>O System.Diagnostics.Tracing.RuntimeEventSource+<>c System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.ArrayTypeInfo System.Diagnostics.Tracing.ConcurrentSet`2[KeyType,ItemType] System.Diagnostics.Tracing.ConcurrentSetItem`2[KeyType,ItemType] System.Diagnostics.Tracing.DataCollector System.Diagnostics.Tracing.EmptyStruct System.Diagnostics.Tracing.EnumerableTypeInfo System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventPayload System.Diagnostics.Tracing.EventPayload+d__17 System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.FieldMetadata System.Diagnostics.Tracing.InvokeTypeInfo System.Diagnostics.Tracing.NameInfo System.Diagnostics.Tracing.PropertyAnalysis System.Diagnostics.Tracing.PropertyValue System.Diagnostics.Tracing.PropertyValue+Scalar System.Diagnostics.Tracing.PropertyValue+TypeHelper System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_0[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_10[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_11[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_12[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_13[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_14[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_15[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_16[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_17[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_18[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_19[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_2[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_20[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_3[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_4[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_5[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_6[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_7[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_8[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_9[TContainer] System.Diagnostics.Tracing.PropertyValue+<>c System.Diagnostics.Tracing.PropertyValue+<>c__DisplayClass33_0 System.Diagnostics.Tracing.SimpleEventTypes`1[T] System.Diagnostics.Tracing.NullTypeInfo System.Diagnostics.Tracing.ScalarTypeInfo System.Diagnostics.Tracing.ScalarArrayTypeInfo System.Diagnostics.Tracing.StringTypeInfo System.Diagnostics.Tracing.DateTimeTypeInfo System.Diagnostics.Tracing.DateTimeOffsetTypeInfo System.Diagnostics.Tracing.TimeSpanTypeInfo System.Diagnostics.Tracing.DecimalTypeInfo System.Diagnostics.Tracing.NullableTypeInfo System.Diagnostics.Tracing.Statics System.Diagnostics.Tracing.Statics+<>O System.Diagnostics.Tracing.TraceLoggingDataCollector System.Diagnostics.Tracing.TraceLoggingDataType System.Diagnostics.Tracing.TraceLoggingEventHandleTable System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.TraceLoggingEventTypes System.Diagnostics.Tracing.TraceLoggingMetadataCollector System.Diagnostics.Tracing.TraceLoggingMetadataCollector+Impl System.Diagnostics.Tracing.TraceLoggingTypeInfo System.Diagnostics.Tracing.TypeAnalysis System.Diagnostics.Tracing.RuntimeEventSourceHelper System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.EmptyReadOnlyDictionaryInternal System.Collections.EmptyReadOnlyDictionaryInternal+NodeEnumerator System.Collections.ArrayList System.Collections.ArrayList+IListWrapper System.Collections.ArrayList+IListWrapper+IListWrapperEnumWrapper System.Collections.ArrayList+SyncArrayList System.Collections.ArrayList+SyncIList System.Collections.ArrayList+FixedSizeList System.Collections.ArrayList+FixedSizeArrayList System.Collections.ArrayList+ReadOnlyList System.Collections.ArrayList+ReadOnlyArrayList System.Collections.ArrayList+ArrayListEnumerator System.Collections.ArrayList+Range System.Collections.ArrayList+ArrayListEnumeratorSimple System.Collections.ArrayList+ArrayListDebugView System.Collections.Comparer System.Collections.CompatibleComparer System.Collections.DictionaryEntry System.Collections.HashHelpers System.Collections.Hashtable System.Collections.Hashtable+Bucket System.Collections.Hashtable+KeyCollection System.Collections.Hashtable+ValueCollection System.Collections.Hashtable+SyncHashtable System.Collections.Hashtable+HashtableEnumerator System.Collections.Hashtable+HashtableDebugView System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal+NodeEnumerator System.Collections.ListDictionaryInternal+NodeKeyValueCollection System.Collections.ListDictionaryInternal+NodeKeyValueCollection+NodeKeyValueEnumerator System.Collections.ListDictionaryInternal+DictionaryNode System.Collections.ListDictionaryInternal+ListDictionaryInternalDebugView System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.CollectionHelpers System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+DictionaryEnumerator[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.ConcurrentQueue`1+d__26[T] System.Collections.Concurrent.ConcurrentQueueSegment`1[T] System.Collections.Concurrent.ConcurrentQueueSegment`1+Slot[T] System.Collections.Concurrent.PaddedHeadAndTail System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Concurrent.IProducerConsumerCollectionDebugView`1[T] System.Collections.Concurrent.IProducerConsumerQueue`1[T] System.Collections.Concurrent.MultiProducerMultiConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+Segment[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SegmentState[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SingleProducerSingleConsumerQueue_DebugView[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+d__15[T] System.Collections.Generic.IArraySortHelper`1[TKey] System.Collections.Generic.ArraySortHelper`1[T] System.Collections.Generic.GenericArraySortHelper`1[T] System.Collections.Generic.IArraySortHelper`2[TKey,TValue] System.Collections.Generic.ArraySortHelper`2[TKey,TValue] System.Collections.Generic.GenericArraySortHelper`2[TKey,TValue] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EnumComparer`1[T] System.Collections.Generic.ComparerHelpers System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.EqualityComparer`1+<>c[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.ArrayBuilder`1[T] System.Collections.Generic.SortUtils System.Collections.Generic.CollectionExtensions System.Collections.Generic.ComparisonComparer`1[T] System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+CollectionsMarshalHelper[TKey,TValue] System.Collections.Generic.Dictionary`2+Entry[TKey,TValue] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.DebugViewDictionaryItem`2[TKey,TValue] System.Collections.Generic.DelegateEqualityComparer`1[T] System.Collections.Generic.StringEqualityComparer System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Entry[T] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.HashSetEqualityComparer`1[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.ICollectionDebugView`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IDictionaryDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryKeyCollectionDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryValueCollectionDebugView`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IInternalStringEqualityComparer System.Collections.Generic.IList`1[T] System.Collections.Generic.InsertionBehavior System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.QueueDebugView`1[T] System.Collections.Generic.RandomizedStringEqualityComparer System.Collections.Generic.RandomizedStringEqualityComparer+MarvinSeed System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ValueListBuilder`1[T] System.Collections.Generic.EnumerableHelpers System.Collections.Generic.BitHelper Internal.Console Internal.Console+Error Internal.PaddingFor32 Internal.PaddedReference Internal.Win32.RegistryKey Internal.Win32.Registry Internal.Win32.SafeHandles.SafeRegistryHandle Internal.Runtime.InteropServices.ComActivationContextInternal Internal.Runtime.InteropServices.ComponentActivator Internal.Runtime.InteropServices.ComponentActivator+ComponentEntryPoint Internal.Runtime.InteropServices.ComponentActivator+<>c__DisplayClass15_0 Internal.Runtime.InteropServices.LICINFO Internal.Runtime.InteropServices.IClassFactory Internal.Runtime.InteropServices.IClassFactory2 Internal.Runtime.InteropServices.ComActivationContext Internal.Runtime.InteropServices.ComActivator Internal.Runtime.InteropServices.ComActivator+BasicClassFactory Internal.Runtime.InteropServices.ComActivator+LicenseClassFactory Internal.Runtime.InteropServices.ComActivator+<>c__DisplayClass16_0 Internal.Runtime.InteropServices.LicenseInteropProxy Internal.Runtime.InteropServices.InMemoryAssemblyLoader Internal.Runtime.InteropServices.InMemoryAssemblyLoader+<>c__DisplayClass7_0 Internal.Runtime.InteropServices.IsolatedComponentLoadContext Internal.Runtime.CompilerHelpers.ThrowHelpers +__StaticArrayInitTypeSize=3 +__StaticArrayInitTypeSize=5 +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=16_Align=2 +__StaticArrayInitTypeSize=16_Align=4 +__StaticArrayInitTypeSize=17 +__StaticArrayInitTypeSize=21 +__StaticArrayInitTypeSize=24_Align=8 +__StaticArrayInitTypeSize=28_Align=2 +__StaticArrayInitTypeSize=28_Align=4 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=32_Align=4 +__StaticArrayInitTypeSize=32_Align=8 +__StaticArrayInitTypeSize=33 +__StaticArrayInitTypeSize=34 +__StaticArrayInitTypeSize=36_Align=4 +__StaticArrayInitTypeSize=38 +__StaticArrayInitTypeSize=40 +__StaticArrayInitTypeSize=40_Align=4 +__StaticArrayInitTypeSize=48_Align=4 +__StaticArrayInitTypeSize=51 +__StaticArrayInitTypeSize=52_Align=4 +__StaticArrayInitTypeSize=64 +__StaticArrayInitTypeSize=64_Align=4 +__StaticArrayInitTypeSize=64_Align=8 +__StaticArrayInitTypeSize=65 +__StaticArrayInitTypeSize=66 +__StaticArrayInitTypeSize=70 +__StaticArrayInitTypeSize=72 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=76_Align=4 +__StaticArrayInitTypeSize=82 +__StaticArrayInitTypeSize=84_Align=2 +__StaticArrayInitTypeSize=88_Align=8 +__StaticArrayInitTypeSize=98 +__StaticArrayInitTypeSize=128 +__StaticArrayInitTypeSize=128_Align=8 +__StaticArrayInitTypeSize=152_Align=8 +__StaticArrayInitTypeSize=168_Align=8 +__StaticArrayInitTypeSize=170 +__StaticArrayInitTypeSize=172_Align=4 +__StaticArrayInitTypeSize=174_Align=2 +__StaticArrayInitTypeSize=177 +__StaticArrayInitTypeSize=184_Align=8 +__StaticArrayInitTypeSize=201 +__StaticArrayInitTypeSize=233 +__StaticArrayInitTypeSize=256 +__StaticArrayInitTypeSize=256_Align=8 +__StaticArrayInitTypeSize=288_Align=4 +__StaticArrayInitTypeSize=466 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=512_Align=4 +__StaticArrayInitTypeSize=648_Align=8 +__StaticArrayInitTypeSize=696_Align=8 +__StaticArrayInitTypeSize=936_Align=4 +__StaticArrayInitTypeSize=1208_Align=2 +__StaticArrayInitTypeSize=1316 +__StaticArrayInitTypeSize=1416 +__StaticArrayInitTypeSize=1440 +__StaticArrayInitTypeSize=1472_Align=2 +__StaticArrayInitTypeSize=1728 +__StaticArrayInitTypeSize=2176 +__StaticArrayInitTypeSize=2224 +__StaticArrayInitTypeSize=2530 +__StaticArrayInitTypeSize=2593 +__StaticArrayInitTypeSize=3200 +__StaticArrayInitTypeSize=3389 +__StaticArrayInitTypeSize=5056 +__StaticArrayInitTypeSize=6256 +__StaticArrayInitTypeSize=6592 +__StaticArrayInitTypeSize=10416_Align=8 +__StaticArrayInitTypeSize=12144 +__StaticArrayInitTypeSize=15552 +__StaticArrayInitTypeSize=18128 <>y__InlineArray2`1[T] <>y__InlineArray3`1[T] <>y__InlineArray4`1[T]", + "IsCollectible": false, + "ManifestModule": "System.Private.CoreLib.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeWaitHandle System.ArgIterator System.Array System.Attribute System.BadImageFormatException System.Buffer System.Decimal System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.Enum System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Exception System.GCCollectionMode System.GCNotificationStatus System.GC System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeMethodHandle System.RuntimeFieldHandle System.ModuleHandle System.String System.Type System.TypedReference System.TypeLoadException System.ValueType System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.DataMisalignedException System.DateOnly System.DateTime System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfo System.Guid System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.Lazy`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalDataStoreSlot System.MarshalByRefObject System.MemberAccessException System.Memory`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.Random System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.TimeOnly System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TransitionTime System.TimeZoneNotFoundException System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.IResourceReader System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceManager System.Resources.ResourceReader System.Resources.ResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.Matrix3x2 System.Numerics.Matrix4x4 System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarWeekRule System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareOptions System.Globalization.CultureInfo System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GregorianCalendar System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HijriCalendar System.Globalization.IdnMapping System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.ArrayPool`1[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SearchValues System.Buffers.SearchValues`1[T] System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Utf8Formatter System.Buffers.Text.Utf8Parser System.Buffers.Binary.BinaryPrimitives System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.Thread System.Threading.ThreadPool System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CompressedStack System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.LockRecursionException System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterLockSlim System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ThreadAbortException System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.PeriodicTimer System.Threading.TimerCallback System.Threading.Timer System.Threading.Volatile System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.ITimer System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskScheduler System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.ASCIIEncoding System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.EncodingInfo System.Text.EncodingProvider System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.UnicodeEncoding System.Text.UTF32Encoding System.Text.UTF7Encoding System.Text.UTF8Encoding System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Runtime.ControlledExecution System.Runtime.DependentHandle System.Runtime.GCSettings System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.VersioningHelper System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Reflection.Assembly System.Reflection.AssemblyName System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodInvoker System.Reflection.CustomAttributeTypedArgument System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.Missing System.Reflection.Module System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.SignatureHelper System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeBuilder System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStreamOptions System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.PathTooLongException System.IO.RandomAccess System.IO.SearchOption System.IO.SeekOrigin System.IO.Stream System.IO.StreamReader System.IO.StreamWriter System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextWriter System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.StackFrame System.Diagnostics.StackTrace System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.EventTags System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.ArrayList System.Collections.Comparer System.Collections.DictionaryEntry System.Collections.Hashtable System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.CollectionExtensions System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IList`1[T] System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer Internal.Console Internal.Console+Error", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Reflection.Metadata.MetadataUpdateHandlerAttribute(typeof(System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler))] [System.CLSCompliantAttribute((Boolean)True)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)False)] [System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute((System.Runtime.InteropServices.DllImportSearchPath)2050)] [System.Reflection.AssemblyMetadataAttribute(\"Serviceable\", \"True\")] [System.Reflection.AssemblyMetadataAttribute(\"IsTrimmable\", \"True\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")] [System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute()] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"© Microsoft Corporation. All rights reserved.\")] [System.Reflection.AssemblyDescriptionAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyFileVersionAttribute(\"9.0.625.26613\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"9.0.6+3875b54e7b10b10606b105340199946d0b877754\")] [System.Reflection.AssemblyProductAttribute(\"Microsoft® .NET\")] [System.Reflection.AssemblyTitleAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyMetadataAttribute(\"RepositoryUrl\", \"https://github.com/dotnet/runtime\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Private.CoreLib.dll", + "Modules": "System.Private.CoreLib.dll", + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.ValueType", + "AssemblyQualifiedName": "System.ValueType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "478dd879-0e54-3ff8-b80b-281117149db3", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "ValueType", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554629, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.ValueType", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "Boolean Equals(System.Object) Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*) Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*) Int32 GetHashCode() ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef) System.String ToString() Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*) ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**) Void .ctor() System.ValueType+ValueTypeHashCodeStrategy", + "DeclaredMethods": "Boolean Equals(System.Object) Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*) Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*) Int32 GetHashCode() ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef) System.String ToString() Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*) ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**)", + "DeclaredNestedTypes": "System.ValueType+ValueTypeHashCodeStrategy", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1056897, + "IsAbstract": true, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": "[System.SerializableAttribute()] [System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)] [System.Runtime.CompilerServices.NullableAttribute((Byte)0)] [System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554958, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ModuleVersionId": "6322a2c9-49e1-408c-8faf-9b86b82127b8", + "MetadataToken": 1, + "ScopeName": "System.Private.CoreLib.dll", + "Name": "System.Private.CoreLib.dll", + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)] [System.Runtime.CompilerServices.NullablePublicOnlyAttribute((Boolean)False)] [System.Runtime.CompilerServices.SkipLocalsInitAttribute()]" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712117274280 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Void", + "AssemblyQualifiedName": "System.Void, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "962ce4fe-96d6-3545-86d7-2a92748d877c", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Void", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.ValueType", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554958, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "void", + "GenericTypeParameters": "", + "DeclaredConstructors": "", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048841, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": false, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": false, + "IsExplicitLayout": false, + "IsLayoutSequential": true, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": true, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [], + "DeclaredMethods": [], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1048841, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": false, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": false, + "IsExplicitLayout": false, + "IsLayoutSequential": true, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": true, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [] + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [], + "DeclaredMethods": [], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1048841, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": false, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": false, + "IsExplicitLayout": false, + "IsLayoutSequential": true, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": true, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [] + }, + "ReturnTypeCustomAttributes": { + "ParameterType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Void", + "AssemblyQualifiedName": "System.Void, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "962ce4fe-96d6-3545-86d7-2a92748d877c", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 1, + "CharSet": 2, + "Value": 0, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Void", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Private.CoreLib.dll", + "FullName": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "EntryPoint": null, + "DefinedTypes": "Interop Interop+OleAut32 Interop+Globalization Interop+Globalization+ResultCode Interop+BOOL Interop+Kernel32 Interop+Kernel32+NlsVersionInfoEx Interop+Kernel32+OVERLAPPED_ENTRY Interop+Kernel32+CONDITION_VARIABLE Interop+Kernel32+BY_HANDLE_FILE_INFORMATION Interop+Kernel32+CRITICAL_SECTION Interop+Kernel32+FILE_BASIC_INFO Interop+Kernel32+FILE_ALLOCATION_INFO Interop+Kernel32+FILE_END_OF_FILE_INFO Interop+Kernel32+FILE_STANDARD_INFO Interop+Kernel32+FILE_TIME Interop+Kernel32+FINDEX_INFO_LEVELS Interop+Kernel32+FINDEX_SEARCH_OPS Interop+Kernel32+GET_FILEEX_INFO_LEVELS Interop+Kernel32+CPINFO Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+PROCESS_MEMORY_COUNTERS Interop+Kernel32+MEMORY_BASIC_INFORMATION Interop+Kernel32+MEMORYSTATUSEX Interop+Kernel32+SymbolicLinkReparseBuffer Interop+Kernel32+MountPointReparseBuffer Interop+Kernel32+SECURITY_ATTRIBUTES Interop+Kernel32+STORAGE_READ_CAPACITY Interop+Kernel32+SYSTEM_INFO Interop+Kernel32+SYSTEMTIME Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+REG_TZI_FORMAT Interop+Kernel32+WIN32_FILE_ATTRIBUTE_DATA Interop+Kernel32+WIN32_FIND_DATA Interop+Kernel32+WIN32_FIND_DATA+<_cAlternateFileName>e__FixedBuffer Interop+Kernel32+WIN32_FIND_DATA+<_cFileName>e__FixedBuffer Interop+Kernel32+PROCESSOR_NUMBER Interop+Normaliz Interop+HostPolicy Interop+HostPolicy+corehost_resolve_component_dependencies_result_fn Interop+HostPolicy+corehost_error_writer_fn Interop+Advapi32 Interop+Advapi32+ActivityControl Interop+Advapi32+EVENT_FILTER_DESCRIPTOR Interop+Advapi32+EVENT_INFO_CLASS Interop+Advapi32+TRACE_QUERY_INFO_CLASS Interop+Advapi32+TRACE_GUID_INFO Interop+Advapi32+TRACE_PROVIDER_INSTANCE_INFO Interop+Advapi32+TRACE_ENABLE_INFO Interop+Advapi32+TOKEN_ELEVATION Interop+Advapi32+TOKEN_INFORMATION_CLASS Interop+BCrypt Interop+BCrypt+NTSTATUS Interop+Crypt32 Interop+BOOLEAN Interop+NtDll Interop+NtDll+CreateDisposition Interop+NtDll+CreateOptions Interop+NtDll+DesiredAccess Interop+NtDll+IO_STATUS_BLOCK Interop+NtDll+IO_STATUS_BLOCK+IO_STATUS Interop+NtDll+FILE_FULL_DIR_INFORMATION Interop+NtDll+FILE_INFORMATION_CLASS Interop+NtDll+RTL_OSVERSIONINFOEX Interop+NtDll+RTL_OSVERSIONINFOEX+e__FixedBuffer Interop+NtDll+SYSTEM_LEAP_SECOND_INFORMATION Interop+StatusOptions Interop+UNICODE_STRING Interop+SECURITY_QUALITY_OF_SERVICE Interop+ImpersonationLevel Interop+ContextTrackingMode Interop+OBJECT_ATTRIBUTES Interop+ObjectAttributes Interop+Ole32 Interop+Secur32 Interop+Shell32 Interop+Ucrtbase Interop+User32 Interop+User32+USEROBJECTFLAGS Interop+LongFileTime Microsoft.Win32.OAVariantLib Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource+<>c Microsoft.Win32.SafeHandles.SafeWaitHandle Microsoft.Win32.SafeHandles.SafeTokenHandle Microsoft.Win32.SafeHandles.SafeThreadHandle Microsoft.Win32.SafeHandles.SafeFindHandle Microsoft.Win32.SafeHandles.SafeThreadPoolIOHandle System.__Canon System.ArgIterator System.ArgIterator+SigPointer System.Array System.Array+ArrayAssignType System.Array+ArrayInitializeCache System.Array+EmptyArray`1[T] System.Array+SorterObjectArray System.Array+SorterGenericArray System.SZArrayHelper System.Attribute System.BadImageFormatException System.Buffer System.ComAwareWeakReference System.ComAwareWeakReference+ComInfo System.Currency System.Decimal System.Decimal+DecCalc System.Decimal+DecCalc+PowerOvfl System.Decimal+DecCalc+Buf12 System.Decimal+DecCalc+Buf16 System.Decimal+DecCalc+Buf24 System.Decimal+DecCalc+Buf28 System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.DelegateBindingFlags System.Enum System.Enum+EnumInfo`1[TStorage] System.Enum+<>c__62`1[TStorage] System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Environment+WindowsVersion System.Exception System.Exception+ExceptionMessageKind System.Exception+DispatchState System.GCCollectionMode System.GCNotificationStatus System.GC System.GC+GC_ALLOC_FLAGS System.GC+StartNoGCRegionStatus System.GC+EndNoGCRegionStatus System.GC+NoGCRegionCallbackFinalizerWorkItem System.GC+EnableNoGCRegionCallbackStatus System.GC+GCConfigurationContext System.GC+GCConfigurationType System.GC+RefreshMemoryStatus System.GC+GCHeapHardLimitInfo System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeTypeHandle+IntroducedMethodEnumerator System.RuntimeMethodHandleInternal System.RuntimeMethodInfoStub System.IRuntimeMethodInfo System.RuntimeMethodHandle System.RuntimeFieldHandleInternal System.IRuntimeFieldInfo System.RuntimeFieldInfoStub System.RuntimeFieldHandle System.ModuleHandle System.Signature System.Resolver System.Resolver+CORINFO_EH_CLAUSE System.RuntimeType System.RuntimeType+ActivatorCache System.RuntimeType+MemberListType System.RuntimeType+ListBuilder`1[T] System.RuntimeType+RuntimeTypeCache System.RuntimeType+RuntimeTypeCache+CacheType System.RuntimeType+RuntimeTypeCache+Filter System.RuntimeType+RuntimeTypeCache+MemberInfoCache`1[T] System.RuntimeType+RuntimeTypeCache+FunctionPointerCache System.RuntimeType+DispatchWrapperType System.RuntimeType+BoxCache System.RuntimeType+CreateUninitializedCache System.RuntimeType+CompositeCacheEntry System.RuntimeType+IGenericCacheEntry System.RuntimeType+IGenericCacheEntry`1[TCache] System.RuntimeType+CheckValueStatus System.TypeNameFormatFlags System.TypeNameKind System.MdUtf8String System.StartupHookProvider System.StartupHookProvider+StartupHookNameOrPath System.String System.String+SearchValuesStorage System.Type System.Type+<>c System.TypedReference System.TypeLoadException System.ValueType System.ValueType+ValueTypeHashCodeStrategy System.__ComObject System.OleAutBinder System.Variant System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppContextConfigHelper System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArrayEnumerator System.SZGenericArrayEnumeratorBase System.SZGenericArrayEnumerator`1[T] System.GenericEmptyEnumeratorBase System.GenericEmptyEnumerator`1[T] System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.ByReference System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.CurrentSystemTimeZone System.DataMisalignedException System.DateOnly System.DateOnly+<>c System.DateTime System.DateTime+LeapSecondCache System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DefaultBinder System.DefaultBinder+Primitives System.DefaultBinder+BinderState System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.Empty System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfoData System.GCMemoryInfo System.Gen2GcCallback System.DateTimeFormat System.DateTimeParse System.DateTimeParse+DTT System.DateTimeParse+TM System.DateTimeParse+DS System.__DTString System.DTSubStringType System.DTSubString System.DateTimeToken System.DateTimeRawInfo System.ParseFailureKind System.ParseFlags System.DateTimeResult System.ParsingInfo System.TokenType System.Guid System.Guid+GuidParseThrowStyle System.Guid+ParseFailure System.Guid+GuidResult System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.TwoObjects System.ThreeObjects System.EightObjects System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtfChar`1[TSelf] System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.LazyState System.LazyHelper System.Lazy`1[T] System.LazyDebugView`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalAppContextSwitches System.LocalDataStoreSlot System.MarshalByRefObject System.Marvin System.MemberAccessException System.Memory`1[T] System.MemoryDebugView`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+SpanSplitEnumeratorMode System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.Number System.Number+BigInteger System.Number+BigInteger+<_blocks>e__FixedBuffer System.Number+DiyFp System.Number+Grisu3 System.Number+IHexOrBinaryParser`1[TInteger] System.Number+HexParser`1[TInteger] System.Number+BinaryParser`1[TInteger] System.Number+NumberBuffer System.Number+NumberBufferKind System.Number+ParsingStatus System.IBinaryIntegerParseAndFormatInfo`1[TSelf] System.IBinaryFloatParseAndFormatInfo`1[TSelf] System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.ParseNumbers System.PasteArguments System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.ProgressStatics System.Random System.Random+ThreadSafeRandom System.Random+ImplBase System.Random+Net5CompatSeedImpl System.Random+Net5CompatDerivedImpl System.Random+CompatPrng System.Random+XoshiroImpl System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.SpanDebugView`1[T] System.SpanHelpers System.SpanHelpers+ComparerComparable`2[T,TComparer] System.SpanHelpers+Block16 System.SpanHelpers+Block64 System.SpanHelpers+INegator`1[T] System.SpanHelpers+DontNegate`1[T] System.SpanHelpers+Negate`1[T] System.PackedSpanHelpers System.PackedSpanHelpers+ITransform System.PackedSpanHelpers+NopTransform System.PackedSpanHelpers+Or20Transform System.SR System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.OrdinalCaseSensitiveComparer System.OrdinalIgnoreCaseComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.ThrowHelper System.ExceptionArgument System.ExceptionResource System.TimeOnly System.TimeOnly+<>c System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TimeZoneInfoResult System.TimeZoneInfo+CachedData System.TimeZoneInfo+StringSerializer System.TimeZoneInfo+StringSerializer+State System.TimeZoneInfo+TransitionTime System.TimeZoneInfo+OffsetAndRule System.TimeZoneInfo+<>c System.TimeZoneInfoOptions System.TimeZoneNotFoundException System.ITupleInternal System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleSlim`2[T1,T2] System.TupleSlim`3[T1,T2,T3] System.TupleSlim`4[T1,T2,T3,T4] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.IValueTupleInternal System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.TimeProvider+SystemTimeProviderTimer System.TimeProvider+SystemTimeProvider System.HexConverter System.HexConverter+Casing System.HexConverter+<>c System.NotImplemented System.Sha1ForNonSecretPurposes System.FixedBufferExtensions System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Private.CoreLib.Strings System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecureString+UnmanagedBuffer System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityElement+<>c System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.FastResourceComparer System.Resources.FileBasedResourceGroveler System.Resources.IResourceGroveler System.Resources.IResourceReader System.Resources.ManifestBasedResourceGroveler System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceFallbackManager System.Resources.ResourceFallbackManager+d__5 System.Resources.ResourceManager System.Resources.ResourceManager+CultureNameResourceSetPair System.Resources.ResourceManager+ResourceManagerMediator System.Resources.ResourceReader System.Resources.ResourceReader+ResourceEnumerator System.Resources.ResourceReader+<>c__DisplayClass7_0`1[TInstance] System.Resources.ResourceLocator System.Resources.ResourceSet System.Resources.ResourceTypeCode System.Resources.RuntimeResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.BitOperations+Crc32Fallback System.Numerics.Matrix3x2 System.Numerics.Matrix3x2+Impl System.Numerics.Matrix4x4 System.Numerics.Matrix4x4+Impl System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.VectorDebugView`1[T] System.Numerics.Crc32ReflectedTable System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Net.WebUtility+UrlDecoder System.Net.WebUtility+HtmlEntities System.Net.WebUtility+<>c System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarData System.Globalization.CalendarData+IcuEnumCalendarsData System.Globalization.CalendarData+EnumData System.Globalization.CalendarData+NlsEnumCalendarsData System.Globalization.CalendarData+<>c System.Globalization.CalendarDataType System.Globalization.CalendarWeekRule System.Globalization.CalendricalCalculationsHelper System.Globalization.CalendricalCalculationsHelper+CorrectionAlgorithm System.Globalization.CalendricalCalculationsHelper+EphemerisCorrectionAlgorithmMap System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareInfo+SortHandleCache System.Globalization.CompareOptions System.Globalization.CultureData System.Globalization.CultureData+LocaleStringData System.Globalization.CultureData+LocaleGroupingData System.Globalization.CultureData+LocaleNumberData System.Globalization.CultureData+EnumLocaleData System.Globalization.CultureData+EnumData System.Globalization.CultureInfo System.Globalization.CultureInfo+<>O System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.MonthNameStyles System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo+TokenHashValue System.Globalization.FORMATFLAGS System.Globalization.CalendarId System.Globalization.DateTimeFormatInfoScanner System.Globalization.DateTimeFormatInfoScanner+FoundDatePattern System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DaylightTimeStruct System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GlobalizationMode System.Globalization.GlobalizationMode+Settings System.Globalization.GregorianCalendar System.Globalization.EraInfo System.Globalization.GregorianCalendarHelper System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HebrewCalendar+DateBuffer System.Globalization.HebrewNumberParsingContext System.Globalization.HebrewNumberParsingState System.Globalization.HebrewNumber System.Globalization.HebrewNumber+HebrewToken System.Globalization.HebrewNumber+HebrewValue System.Globalization.HebrewNumber+HS System.Globalization.HijriCalendar System.Globalization.IcuLocaleDataParts System.Globalization.IcuLocaleData System.Globalization.IdnMapping System.Globalization.InvariantModeCasing System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseCalendar+<>O System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.Normalization System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.Ordinal System.Globalization.OrdinalCasing System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.StrongBidiCategory System.Globalization.SurrogateCasing System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.TextInfo+Tristate System.Globalization.TextInfo+ToUpperConversion System.Globalization.TextInfo+ToLowerConversion System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanFormat System.Globalization.TimeSpanFormat+StandardFormat System.Globalization.TimeSpanFormat+FormatLiterals System.Globalization.TimeSpanParse System.Globalization.TimeSpanParse+TimeSpanStandardStyles System.Globalization.TimeSpanParse+TTT System.Globalization.TimeSpanParse+TimeSpanToken System.Globalization.TimeSpanParse+TimeSpanTokenizer System.Globalization.TimeSpanParse+TimeSpanRawInfo System.Globalization.TimeSpanParse+TimeSpanResult System.Globalization.TimeSpanParse+StringParser System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UmAlQuraCalendar+DateMapping System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.CodeDom.Compiler.IndentedTextWriter+d__23 System.CodeDom.Compiler.IndentedTextWriter+d__38 System.CodeDom.Compiler.IndentedTextWriter+d__39 System.CodeDom.Compiler.IndentedTextWriter+d__40 System.CodeDom.Compiler.IndentedTextWriter+d__41 System.CodeDom.Compiler.IndentedTextWriter+d__42 System.CodeDom.Compiler.IndentedTextWriter+d__61 System.CodeDom.Compiler.IndentedTextWriter+d__62 System.CodeDom.Compiler.IndentedTextWriter+d__63 System.CodeDom.Compiler.IndentedTextWriter+d__64 System.CodeDom.Compiler.IndentedTextWriter+d__65 System.CodeDom.Compiler.IndentedTextWriter+d__66 System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.SpanFunc`5[TSpan,T1,T2,T3,TResult] System.Buffers.ArrayPool`1[T] System.Buffers.ArrayPoolEventSource System.Buffers.ArrayPoolEventSource+BufferAllocatedReason System.Buffers.ArrayPoolEventSource+BufferDroppedReason System.Buffers.ConfigurableArrayPool`1[T] System.Buffers.ConfigurableArrayPool`1+Bucket[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SharedArrayPool`1[T] System.Buffers.SharedArrayPool`1+<>c[T] System.Buffers.SharedArrayPoolThreadLocalArray System.Buffers.SharedArrayPoolPartitions System.Buffers.SharedArrayPoolPartitions+Partition System.Buffers.SharedArrayPoolStatics System.Buffers.Utilities System.Buffers.Utilities+MemoryPressure System.Buffers.Any1CharPackedSearchValues System.Buffers.Any1CharPackedIgnoreCaseSearchValues System.Buffers.Any2CharPackedIgnoreCaseSearchValues System.Buffers.Any3CharPackedSearchValues System.Buffers.Any2CharPackedSearchValues System.Buffers.Any1SearchValues`2[T,TImpl] System.Buffers.Any2SearchValues`2[T,TImpl] System.Buffers.Any3SearchValues`2[T,TImpl] System.Buffers.BitVector256 System.Buffers.BitVector256+<_values>e__FixedBuffer System.Buffers.ProbabilisticMapState System.Buffers.ProbabilisticWithAsciiCharSearchValues`1[TOptimizations] System.Buffers.Any4SearchValues`2[T,TImpl] System.Buffers.Any5SearchValues`2[T,TImpl] System.Buffers.AsciiByteSearchValues System.Buffers.AsciiCharSearchValues`1[TOptimizations] System.Buffers.IndexOfAnyAsciiSearcher System.Buffers.IndexOfAnyAsciiSearcher+AsciiState System.Buffers.IndexOfAnyAsciiSearcher+AnyByteState System.Buffers.IndexOfAnyAsciiSearcher+INegator System.Buffers.IndexOfAnyAsciiSearcher+DontNegate System.Buffers.IndexOfAnyAsciiSearcher+Negate System.Buffers.IndexOfAnyAsciiSearcher+IOptimizations System.Buffers.IndexOfAnyAsciiSearcher+Ssse3AndWasmHandleZeroInNeedle System.Buffers.IndexOfAnyAsciiSearcher+Default System.Buffers.IndexOfAnyAsciiSearcher+IResultMapper`2[T,TResult] System.Buffers.IndexOfAnyAsciiSearcher+ContainsAnyResultMapper`1[T] System.Buffers.IndexOfAnyAsciiSearcher+IndexOfAnyResultMapper`1[T] System.Buffers.AnyByteSearchValues System.Buffers.RangeByteSearchValues System.Buffers.RangeCharSearchValues`1[TShouldUsePacked] System.Buffers.ProbabilisticCharSearchValues System.Buffers.BitmapCharSearchValues System.Buffers.SearchValues System.Buffers.SearchValues+IRuntimeConst System.Buffers.SearchValues+TrueConst System.Buffers.SearchValues+FalseConst System.Buffers.SearchValues`1[T] System.Buffers.SearchValuesDebugView`1[T] System.Buffers.EmptySearchValues`1[T] System.Buffers.ProbabilisticMap System.Buffers.AhoCorasick System.Buffers.AhoCorasick+IFastScan System.Buffers.AhoCorasick+IndexOfAnyAsciiFastScan System.Buffers.AhoCorasick+NoFastScan System.Buffers.AhoCorasickBuilder System.Buffers.AhoCorasickNode System.Buffers.CharacterFrequencyHelper System.Buffers.RabinKarp System.Buffers.StringSearchValuesHelper System.Buffers.StringSearchValuesHelper+IValueLength System.Buffers.StringSearchValuesHelper+ValueLengthLessThan4 System.Buffers.StringSearchValuesHelper+ValueLength4To7 System.Buffers.StringSearchValuesHelper+ValueLength8OrLongerOrUnknown System.Buffers.StringSearchValuesHelper+ICaseSensitivity System.Buffers.StringSearchValuesHelper+CaseSensitive System.Buffers.StringSearchValuesHelper+CaseInsensitiveAsciiLetters System.Buffers.StringSearchValuesHelper+CaseInsensitiveAscii System.Buffers.StringSearchValuesHelper+CaseInsensitiveUnicode System.Buffers.TeddyBucketizer System.Buffers.TeddyHelper System.Buffers.AsciiStringSearchValuesTeddyBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBase`3[TBucketized,TStartCaseSensitivity,TCaseSensitivity] System.Buffers.MultiStringIgnoreCaseSearchValuesFallback System.Buffers.SingleStringSearchValuesThreeChars`2[TValueLength,TCaseSensitivity] System.Buffers.SingleStringSearchValuesFallback`1[TIgnoreCase] System.Buffers.StringSearchValues System.Buffers.StringSearchValues+<>c System.Buffers.StringSearchValuesBase System.Buffers.StringSearchValuesAhoCorasick`2[TCaseSensitivity,TFastScanVariant] System.Buffers.StringSearchValuesRabinKarp`1[TCaseSensitivity] System.Buffers.Text.Base64Helper System.Buffers.Text.Base64Helper+Base64DecoderByte System.Buffers.Text.Base64Helper+IBase64Encoder`1[T] System.Buffers.Text.Base64Helper+IBase64Decoder`1[T] System.Buffers.Text.Base64Helper+IBase64Validatable`1[T] System.Buffers.Text.Base64Helper+Base64CharValidatable System.Buffers.Text.Base64Helper+Base64ByteValidatable System.Buffers.Text.Base64Helper+Base64EncoderByte System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Base64Url+Base64UrlDecoderByte System.Buffers.Text.Base64Url+Base64UrlDecoderChar System.Buffers.Text.Base64Url+Base64UrlEncoderByte System.Buffers.Text.Base64Url+Base64UrlEncoderChar System.Buffers.Text.Base64Url+Base64UrlCharValidatable System.Buffers.Text.Base64Url+Base64UrlByteValidatable System.Buffers.Text.Base64Url+<>c System.Buffers.Text.FormattingHelpers System.Buffers.Text.Utf8Formatter System.Buffers.Text.ParserHelpers System.Buffers.Text.Utf8Parser System.Buffers.Text.Utf8Parser+ParseNumberOptions System.Buffers.Text.Utf8Parser+ComponentParseResult System.Buffers.Text.Utf8Parser+TimeSpanSplitter System.Buffers.Binary.BinaryPrimitives System.Buffers.Binary.BinaryPrimitives+Int16EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int32EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int64EndiannessReverser System.Buffers.Binary.BinaryPrimitives+IEndiannessReverser`1[T] System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.SynchronizationContext+<>c System.Threading.ThreadHandle System.Threading.Thread System.Threading.Thread+StartHelper System.Threading.Thread+LocalDataStore System.Threading.ThreadPool System.Threading.ThreadPool+<>c System.Threading.ThreadPool+d__26 System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.IAsyncLocal System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.IAsyncLocalValueMap System.Threading.AsyncLocalValueMap System.Threading.AsyncLocalValueMap+EmptyAsyncLocalValueMap System.Threading.AsyncLocalValueMap+OneElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+TwoElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ThreeElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+FourElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+MultiElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ManyElementAsyncLocalValueMap System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationToken+<>c System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CancellationTokenSource+States System.Threading.CancellationTokenSource+Linked1CancellationTokenSource System.Threading.CancellationTokenSource+Linked2CancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource+<>c System.Threading.CancellationTokenSource+Registrations System.Threading.CancellationTokenSource+Registrations+d__12 System.Threading.CancellationTokenSource+CallbackNode System.Threading.CancellationTokenSource+CallbackNode+<>c System.Threading.CancellationTokenSource+<>c System.Threading.CompressedStack System.Threading.StackCrawlMark System.Threading.IDeferredDisposable System.Threading.DeferredDisposableLifetime`1[T] System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IOCompletionCallbackHelper System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.Lock+State System.Threading.Lock+TryLockResult System.Threading.Lock+ThreadId System.Threading.LockRecursionException System.Threading.LowLevelLock System.Threading.LowLevelSpinWaiter System.Threading.LowLevelMonitor System.Threading.LowLevelMonitor+Monitor System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterCount System.Threading.ReaderWriterLockSlim System.Threading.ReaderWriterLockSlim+TimeoutTracker System.Threading.ReaderWriterLockSlim+SpinLock System.Threading.ReaderWriterLockSlim+WaiterStates System.Threading.ReaderWriterLockSlim+EnterSpinLockReason System.Threading.ReaderWriterLockSlim+EnterLockType System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SemaphoreSlim+TaskNode System.Threading.SemaphoreSlim+d__31 System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinLock+SystemThreading_SpinLockDebugView System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ProcessorIdCache System.Threading.ThreadAbortException System.Threading.ThreadBlockingInfo System.Threading.ThreadBlockingInfo+Scope System.Threading.ThreadBlockingInfo+ObjectKind System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInt64PersistentCounter System.Threading.ThreadInt64PersistentCounter+ThreadLocalNode System.Threading.ThreadInt64PersistentCounter+ThreadLocalNodeFinalizationHelper System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.ThreadLocal`1+LinkedSlotVolatile[T] System.Threading.ThreadLocal`1+LinkedSlot[T] System.Threading.ThreadLocal`1+IdManager[T] System.Threading.ThreadLocal`1+FinalizationHelper[T] System.Threading.SystemThreading_ThreadLocalDebugView`1[T] System.Threading.ThreadPoolWorkQueue System.Threading.ThreadPoolWorkQueue+WorkStealingQueueList System.Threading.ThreadPoolWorkQueue+WorkStealingQueue System.Threading.ThreadPoolWorkQueue+QueueProcessingStage System.Threading.ThreadPoolWorkQueue+CacheLineSeparated System.Threading.ThreadPoolWorkQueueThreadLocals System.Threading.IThreadPoolTypedWorkItemQueueCallback`1[T] System.Threading.ThreadPoolTypedWorkItemQueue`2[T,TCallback] System.Threading.ThreadPoolTypedWorkItemQueue`2+QueueProcessingStage[T,TCallback] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.QueueUserWorkItemCallbackBase System.Threading.QueueUserWorkItemCallback System.Threading.QueueUserWorkItemCallback+<>c System.Threading.QueueUserWorkItemCallback`1[TState] System.Threading.QueueUserWorkItemCallbackDefaultContext System.Threading.QueueUserWorkItemCallbackDefaultContext`1[TState] System.Threading._ThreadPoolWaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.TimeoutHelper System.Threading.PeriodicTimer System.Threading.PeriodicTimer+State System.Threading.PeriodicTimer+State+<>c System.Threading.PeriodicTimer+<>c System.Threading.TimerCallback System.Threading.TimerQueue System.Threading.TimerQueue+TimerQueueDebuggerTypeProxy System.Threading.TimerQueue+<>O System.Threading.TimerQueue+d__7 System.Threading.TimerQueueTimer System.Threading.TimerQueueTimer+TimerDebuggerTypeProxy System.Threading.TimerQueueTimer+<>c System.Threading.TimerHolder System.Threading.Timer System.Threading.Timer+<>c System.Threading.Volatile System.Threading.Volatile+VolatileBoolean System.Threading.Volatile+VolatileByte System.Threading.Volatile+VolatileInt16 System.Threading.Volatile+VolatileInt32 System.Threading.Volatile+VolatileIntPtr System.Threading.Volatile+VolatileSByte System.Threading.Volatile+VolatileSingle System.Threading.Volatile+VolatileUInt16 System.Threading.Volatile+VolatileUInt32 System.Threading.Volatile+VolatileUIntPtr System.Threading.Volatile+VolatileObject System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.Win32ThreadPoolNativeOverlapped System.Threading.Win32ThreadPoolNativeOverlapped+ExecutionContextCallbackArgs System.Threading.Win32ThreadPoolNativeOverlapped+OverlappedData System.Threading.Win32ThreadPoolNativeOverlapped+<>O System.Threading.ITimer System.Threading.OpenExistingResult System.Threading.AsyncOverSyncWithIoCancellation System.Threading.AsyncOverSyncWithIoCancellation+SyncAsyncWorkItemRegistration System.Threading.AsyncOverSyncWithIoCancellation+<>c System.Threading.AsyncOverSyncWithIoCancellation+d__7`1[TState] System.Threading.AsyncOverSyncWithIoCancellation+d__8`2[TState,TResult] System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.WindowsThreadPool System.Threading.WindowsThreadPool+ThreadCountHolder System.Threading.WindowsThreadPool+WorkingThreadCounter System.Threading.WindowsThreadPool+<>O System.Threading.CompleteWaitThreadPoolWorkItem System.Threading.PortableThreadPool System.Threading.PortableThreadPool+CacheLineSeparated System.Threading.PortableThreadPool+PendingBlockingAdjustment System.Threading.PortableThreadPool+BlockingConfig System.Threading.PortableThreadPool+GateThread System.Threading.PortableThreadPool+GateThread+DelayHelper System.Threading.PortableThreadPool+GateThread+<>O System.Threading.PortableThreadPool+HillClimbing System.Threading.PortableThreadPool+HillClimbing+StateOrTransition System.Threading.PortableThreadPool+HillClimbing+LogEntry System.Threading.PortableThreadPool+HillClimbing+Complex System.Threading.PortableThreadPool+IOCompletionPoller System.Threading.PortableThreadPool+IOCompletionPoller+Callback System.Threading.PortableThreadPool+IOCompletionPoller+Event System.Threading.PortableThreadPool+ThreadCounts System.Threading.PortableThreadPool+WaitThreadNode System.Threading.PortableThreadPool+WaitThread System.Threading.PortableThreadPool+WorkerThread System.Threading.PortableThreadPool+WorkerThread+<>c System.Threading.PortableThreadPool+CountsOfThreadsProcessingUserCallbacks System.Threading.PortableThreadPool+CpuUtilizationReader System.Threading.LowLevelLifoSemaphore System.Threading.LowLevelLifoSemaphore+Counts System.Threading.LowLevelLifoSemaphore+CacheLineSeparatedCounts System.Threading.ThreadPoolBoundHandleOverlapped System.Threading.ThreadPoolCallbackWrapper System.Threading.Tasks.AsyncCausalityStatus System.Threading.Tasks.CausalityRelation System.Threading.Tasks.CausalitySynchronousWork System.Threading.Tasks.CachedCompletedInt32Task System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+CompletionState System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+SchedulerWorkItem System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+<>c System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ProcessingMode System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+<>c System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.SystemThreadingTasks_FutureDebugView`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskFactory`1+FromAsyncTrimPromise`1[TResult,TInstance] System.Threading.Tasks.TaskFactory`1+<>c[TResult] System.Threading.Tasks.TaskFactory`1+<>c__56`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__67`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass32_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass35_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass38_0`1[TResult,TArg1] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass41_0`2[TResult,TArg1,TArg2] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass44_0`3[TResult,TArg1,TArg2,TArg3] System.Threading.Tasks.LoggingExtensions System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.Task+TaskStateFlags System.Threading.Tasks.Task+ContingentProperties System.Threading.Tasks.Task+CancellationPromise`1[TResult] System.Threading.Tasks.Task+CancellationPromise`1+<>c[TResult] System.Threading.Tasks.Task+SetOnInvokeMres System.Threading.Tasks.Task+SetOnCountdownMres System.Threading.Tasks.Task+DelayPromise System.Threading.Tasks.Task+DelayPromiseWithCancellation System.Threading.Tasks.Task+DelayPromiseWithCancellation+<>c System.Threading.Tasks.Task+WhenAllPromise System.Threading.Tasks.Task+WhenAllPromise+<>c__DisplayClass2_0 System.Threading.Tasks.Task+WhenAllPromise`1[T] System.Threading.Tasks.Task+TwoTaskWhenAnyPromise`1[TTask] System.Threading.Tasks.Task+WhenEachState System.Threading.Tasks.Task+WhenEachState+d__15`1[T] System.Threading.Tasks.Task+<>c System.Threading.Tasks.CompletionActionInvoker System.Threading.Tasks.SystemThreadingTasks_TaskDebugView System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.InternalTaskOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.VoidTaskResult System.Threading.Tasks.ITaskCompletionAction System.Threading.Tasks.UnwrapPromise`1[TResult] System.Threading.Tasks.UnwrapPromise`1+<>c[TResult] System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskAsyncEnumerableExtensions+ManualResetEventWithAwaiterSupport System.Threading.Tasks.TaskAsyncEnumerableExtensions+d__3`1[T] System.Threading.Tasks.TaskCache System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.ContinuationTaskFromTask System.Threading.Tasks.ContinuationResultTaskFromTask`1[TResult] System.Threading.Tasks.ContinuationTaskFromResultTask`1[TAntecedentResult] System.Threading.Tasks.ContinuationResultTaskFromResultTask`2[TAntecedentResult,TResult] System.Threading.Tasks.TaskContinuation System.Threading.Tasks.ContinueWithTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>O System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c__DisplayClass6_0 System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation+<>c System.Threading.Tasks.AwaitTaskContinuation System.Threading.Tasks.AwaitTaskContinuation+<>c System.Threading.Tasks.TaskExceptionHolder System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise`1[T] System.Threading.Tasks.TaskFactory+CompleteOnInvokePromise`1[TTask] System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskScheduler+SystemThreadingTasks_TaskSchedulerDebugView System.Threading.Tasks.SynchronizationContextTaskScheduler System.Threading.Tasks.SynchronizationContextTaskScheduler+<>c System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ThreadPoolTaskScheduler System.Threading.Tasks.ThreadPoolTaskScheduler+<>c System.Threading.Tasks.ThreadPoolTaskScheduler+d__6 System.Threading.Tasks.TplEventSource System.Threading.Tasks.TplEventSource+TaskWaitBehavior System.Threading.Tasks.TplEventSource+Tasks System.Threading.Tasks.TplEventSource+Keywords System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask+<>c System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask+<>c[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.TaskToAsyncResult+TaskAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Threading.Tasks.Sources.CapturedSchedulerAndExecutionContext System.Threading.Tasks.Sources.ManualResetValueTaskSourceCoreShared System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+ChunkEnumerator+ManyChunkInfo System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.Ascii+ToUpperConversion System.Text.Ascii+ToLowerConversion System.Text.Ascii+ILoader`2[TLeft,TRight] System.Text.Ascii+PlainLoader`1[T] System.Text.Ascii+WideningLoader System.Text.ASCIIEncoding System.Text.ASCIIEncoding+ASCIIEncodingSealed System.Text.CodePageDataItem System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderNLS System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderLatin1BestFitFallback System.Text.EncoderLatin1BestFitFallbackBuffer System.Text.EncoderNLS System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.Encoding+DefaultEncoder System.Text.Encoding+DefaultDecoder System.Text.Encoding+EncodingCharBuffer System.Text.Encoding+EncodingByteBuffer System.Text.EncodingTable System.Text.EncodingInfo System.Text.EncodingProvider System.Text.Latin1Encoding System.Text.Latin1Encoding+Latin1EncodingSealed System.Text.Latin1Utility System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.TranscodingStream System.Text.TranscodingStream+<g__DisposeAsyncCore|30_0>d System.Text.TranscodingStream+<g__ReadAsyncCore|41_0>d System.Text.TranscodingStream+<g__WriteAsyncCore|50_0>d System.Text.TrimType System.Text.UnicodeEncoding System.Text.UnicodeEncoding+Decoder System.Text.UnicodeUtility System.Text.UTF32Encoding System.Text.UTF32Encoding+UTF32Decoder System.Text.UTF7Encoding System.Text.UTF7Encoding+Decoder System.Text.UTF7Encoding+Encoder System.Text.UTF7Encoding+DecoderUTF7Fallback System.Text.UTF7Encoding+DecoderUTF7FallbackBuffer System.Text.UTF8Encoding System.Text.UTF8Encoding+UTF8EncodingSealed System.Text.ValueStringBuilder System.Text.StringBuilderCache System.Text.Unicode.GraphemeClusterBreakType System.Text.Unicode.TextSegmentationUtility System.Text.Unicode.TextSegmentationUtility+DecodeFirstRune`1[T] System.Text.Unicode.TextSegmentationUtility+Processor`1[T] System.Text.Unicode.Utf16Utility System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Text.Unicode.Utf8Utility System.StubHelpers.AnsiCharMarshaler System.StubHelpers.CSTRMarshaler System.StubHelpers.UTF8BufferMarshaler System.StubHelpers.BSTRMarshaler System.StubHelpers.VBByValStrMarshaler System.StubHelpers.AnsiBSTRMarshaler System.StubHelpers.FixedWSTRMarshaler System.StubHelpers.ObjectMarshaler System.StubHelpers.HandleMarshaler System.StubHelpers.DateMarshaler System.StubHelpers.InterfaceMarshaler System.StubHelpers.MngdNativeArrayMarshaler System.StubHelpers.MngdNativeArrayMarshaler+MarshalerState System.StubHelpers.MngdFixedArrayMarshaler System.StubHelpers.MngdFixedArrayMarshaler+MarshalerState System.StubHelpers.MngdSafeArrayMarshaler System.StubHelpers.MngdRefCustomMarshaler System.StubHelpers.AsAnyMarshaler System.StubHelpers.AsAnyMarshaler+BackPropAction System.StubHelpers.CleanupWorkListElement System.StubHelpers.KeepAliveCleanupWorkListElement System.StubHelpers.SafeHandleCleanupWorkListElement System.StubHelpers.StubHelpers System.Runtime.ControlledExecution System.Runtime.ControlledExecution+Canceler System.Runtime.ControlledExecution+<>c System.Runtime.DependentHandle System.Runtime.RhFailFastReason System.Runtime.EH System.Runtime.EH+RhEHClauseKind System.Runtime.EH+RhEHClause System.Runtime.EH+EHEnum System.Runtime.EH+MethodRegionInfo System.Runtime.EH+PAL_LIMITED_CONTEXT System.Runtime.EH+ExKind System.Runtime.EH+ExInfo System.Runtime.ExceptionIDs System.Runtime.REGDISPLAY System.Runtime.StackFrameIterator System.Runtime.GCSettings System.Runtime.GCSettings+SetLatencyModeStatus System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCFrameRegistration System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.SxSRequirements System.Runtime.Versioning.VersioningHelper System.Runtime.Versioning.NonVersionableAttribute System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.DeserializationTracker System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+InternalState System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyLoadContext+d__88 System.Runtime.Loader.AssemblyLoadContext+d__58 System.Runtime.Loader.DefaultAssemblyLoadContext System.Runtime.Loader.IndividualAssemblyLoadContext System.Runtime.Loader.LibraryNameVariation System.Runtime.Loader.LibraryNameVariation+d__4 System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Loader.AssemblyDependencyResolver+<>c__DisplayClass6_0 System.Runtime.Intrinsics.ISimdVector`2[TSelf,T] System.Runtime.Intrinsics.Scalar`1[T] System.Runtime.Intrinsics.SimdVectorExtensions System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector128DebugView`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector256DebugView`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector512DebugView`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Vector64DebugView`1[T] System.Runtime.Intrinsics.VectorMath System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.DynamicInterfaceCastableHelpers System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.Marshal+<>O System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.MemoryMarshal+<g__FromArray|18_2>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromMemoryManager|18_1>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromString|18_0>d`1[T] System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappersScenario System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch+ComInterfaceInstance System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.IDispatch System.Runtime.InteropServices.InvokeFlags System.Runtime.InteropServices.ComEventsMethod System.Runtime.InteropServices.ComEventsMethod+DelegateWrapper System.Runtime.InteropServices.ComEventsSink System.Runtime.InteropServices.BuiltInInteropVariantExtensions System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.ComEventsInfo System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PosixSignalRegistration+Token System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.IMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ComVariant+TypeUnion System.Runtime.InteropServices.Marshalling.ComVariant+Record System.Runtime.InteropServices.Marshalling.ComVariant+Blob System.Runtime.InteropServices.Marshalling.ComVariant+Vector`1[T] System.Runtime.InteropServices.Marshalling.ComVariant+VersionedStream System.Runtime.InteropServices.Marshalling.ComVariant+ClipboardData System.Runtime.InteropServices.Marshalling.ComVariant+UnionTypes System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.CustomMarshalers.ComDataHelpers System.Runtime.InteropServices.CustomMarshalers.EnumVariantViewOfEnumerator System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumerableViewOfDispatch System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumeratorViewOfEnumVariant System.Runtime.InteropServices.CustomMarshalers.ExpandoToDispatchExMarshaler System.Runtime.InteropServices.CustomMarshalers.TypeToTypeInfoMarshaler System.Runtime.InteropServices.ComTypes.IEnumerable System.Runtime.InteropServices.ComTypes.IEnumerator System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.InternalCalls System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.CastHelpers System.Runtime.CompilerServices.ICastableHelpers System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.RawData System.Runtime.CompilerServices.RawArrayData System.Runtime.CompilerServices.MethodTable System.Runtime.CompilerServices.MethodTableAuxiliaryData System.Runtime.CompilerServices.TypeHandle System.Runtime.CompilerServices.PortableTailCallFrame System.Runtime.CompilerServices.TailCallTls System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncMethodBuilderCore+ContinuationWrapper System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+DebugFinalizableAsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+AsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CastResult System.Runtime.CompilerServices.CastCache System.Runtime.CompilerServices.CastCache+CastCacheEntry System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompExactlyDependsOnAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Enumerator[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Entry[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Container[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+<>c[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.FormattableStringFactory+ConcreteFormattableString System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.IAsyncStateMachineBox System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IntrinsicAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+SyncSuccessSentinelStateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StackAllocatedBox`1[T] System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter+<>c System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ITaskAwaiter System.Runtime.CompilerServices.IConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter+<>c System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.IStateMachineBoxAwareAwaiter System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter+<>c System.Runtime.CompilerServices.StringHandleOnStack System.Runtime.CompilerServices.ObjectHandleOnStack System.Runtime.CompilerServices.StackCrawlMarkHandle System.Runtime.CompilerServices.QCallModule System.Runtime.CompilerServices.QCallAssembly System.Runtime.CompilerServices.QCallTypeHandle System.Reflection.Assembly System.Reflection.Assembly+<>O System.Reflection.NativeAssemblyNameParts System.Reflection.AssemblyName System.Reflection.Associates System.Reflection.Associates+Attributes System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.LoaderAllocatorScout System.Reflection.LoaderAllocator System.Reflection.MdConstant System.Reflection.MdFieldInfo System.Reflection.MdSigCallingConvention System.Reflection.PInvokeAttributes System.Reflection.MethodSemanticsAttributes System.Reflection.MetadataTokenType System.Reflection.ConstArray System.Reflection.MetadataToken System.Reflection.MetadataEnumResult System.Reflection.MetadataEnumResult+SmallIntArray System.Reflection.MetadataImport System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodBase+InvokerStrategy System.Reflection.MethodBase+InvokerArgFlags System.Reflection.MethodBase+ArgumentData`1[T] System.Reflection.MethodBase+StackAllocatedArguments System.Reflection.MethodBase+StackAllocatedArgumentsWithCopyBack System.Reflection.MethodBase+StackAllocatedByRefs System.Reflection.MethodBaseInvoker System.Reflection.MethodInvoker System.Reflection.ModifiedType System.Reflection.ModifiedType+TypeSignature System.Reflection.RtFieldInfo System.Reflection.RuntimeAssembly System.Reflection.RuntimeAssembly+ManifestResourceStream System.Reflection.RuntimeConstructorInfo System.Reflection.RuntimeCustomAttributeData System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeRecord System.Reflection.CustomAttributeEncoding System.Reflection.PrimitiveValue System.Reflection.CustomAttributeEncodedArgument System.Reflection.CustomAttributeEncodedArgument+CustomAttributeDataParser System.Reflection.CustomAttributeCtorParameter System.Reflection.CustomAttributeNamedParameter System.Reflection.CustomAttributeType System.Reflection.CustomAttribute System.Reflection.PseudoCustomAttribute System.Reflection.RuntimeEventInfo System.Reflection.RuntimeExceptionHandlingClause System.Reflection.RuntimeFieldInfo System.Reflection.RuntimeLocalVariableInfo System.Reflection.RuntimeMethodBody System.Reflection.RuntimeMethodInfo System.Reflection.RuntimeModule System.Reflection.RuntimeParameterInfo System.Reflection.RuntimePropertyInfo System.Reflection.TypeNameResolver System.Reflection.CerHashtable`2[K,V] System.Reflection.CerHashtable`2+Table[K,V] System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameHelpers System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CorElementType System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAccessor System.Reflection.FieldAccessor+FieldAccessorType System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.InvocationFlags System.Reflection.InvokerEmitUtil System.Reflection.InvokerEmitUtil+InvokeFunc_RefArgs System.Reflection.InvokerEmitUtil+InvokeFunc_ObjSpanArgs System.Reflection.InvokerEmitUtil+InvokeFunc_Obj4Args System.Reflection.InvokerEmitUtil+ThrowHelper System.Reflection.InvokerEmitUtil+Methods System.Reflection.InvokeUtils System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.MethodInvokerCommon System.Reflection.Missing System.Reflection.ModifiedHasElementType System.Reflection.ModifiedFunctionPointerType System.Reflection.ModifiedGenericType System.Reflection.Module System.Reflection.Module+<>c System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.NullabilityInfoContext+NotAnnotatedStatus System.Reflection.NullabilityInfoContext+NullableAttributeStateParser System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.SignatureArrayType System.Reflection.SignatureByRefType System.Reflection.SignatureCallingConvention System.Reflection.SignatureConstructedGenericType System.Reflection.SignatureGenericMethodParameterType System.Reflection.SignatureGenericParameterType System.Reflection.SignatureHasElementType System.Reflection.SignaturePointerType System.Reflection.SignatureType System.Reflection.SignatureTypeExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.TypeInfo+d__10 System.Reflection.TypeInfo+d__22 System.Reflection.AssemblyNameParser System.Reflection.AssemblyNameParser+AssemblyNameParts System.Reflection.AssemblyNameParser+Token System.Reflection.AssemblyNameParser+AttributeKind System.Reflection.AssemblyNameFormatter System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler System.Reflection.Metadata.TypeNameParseOptions System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Metadata.AssemblyNameInfo System.Reflection.Metadata.TypeName System.Reflection.Metadata.TypeNameHelpers System.Reflection.Metadata.TypeNameParser System.Reflection.Metadata.TypeNameParserHelpers System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILGenerator System.Reflection.Emit.DynamicResolver System.Reflection.Emit.DynamicResolver+DestroyScout System.Reflection.Emit.DynamicResolver+SecurityControlFlags System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicScope System.Reflection.Emit.GenericMethodInfo System.Reflection.Emit.GenericFieldInfo System.Reflection.Emit.VarArgMethod System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.AssemblyBuilder+ForceAllowDynamicCodeScope System.Reflection.Emit.RuntimeAssemblyBuilder System.Reflection.Emit.RuntimeConstructorBuilder System.Reflection.Emit.RuntimeEnumBuilder System.Reflection.Emit.RuntimeEventBuilder System.Reflection.Emit.RuntimeFieldBuilder System.Reflection.Emit.RuntimeGenericTypeParameterBuilder System.Reflection.Emit.RuntimeILGenerator System.Reflection.Emit.__LabelInfo System.Reflection.Emit.__FixupData System.Reflection.Emit.__ExceptionInfo System.Reflection.Emit.ScopeAction System.Reflection.Emit.ScopeTree System.Reflection.Emit.RuntimeLocalBuilder System.Reflection.Emit.RuntimeMethodBuilder System.Reflection.Emit.LocalSymInfo System.Reflection.Emit.ExceptionHandler System.Reflection.Emit.RuntimeModuleBuilder System.Reflection.Emit.RuntimeParameterBuilder System.Reflection.Emit.RuntimePropertyBuilder System.Reflection.Emit.RuntimeTypeBuilder System.Reflection.Emit.RuntimeTypeBuilder+CustAttr System.Reflection.Emit.SignatureHelper System.Reflection.Emit.SymbolMethod System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.ConstructorOnTypeBuilderInstantiation System.Reflection.Emit.EmptyCAHolder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FieldOnTypeBuilderInstantiation System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.MethodBuilderInstantiation System.Reflection.Emit.MethodOnTypeBuilderInstantiation System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodeValues System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeKind System.Reflection.Emit.SymbolType System.Reflection.Emit.TypeBuilder System.Reflection.Emit.TypeBuilderInstantiation System.Reflection.Emit.TypeNameBuilder System.Reflection.Emit.TypeNameBuilder+Format System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.BufferedStream+d__68 System.IO.BufferedStream+d__33 System.IO.BufferedStream+d__36 System.IO.BufferedStream+d__40 System.IO.BufferedStream+d__48 System.IO.BufferedStream+d__59 System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EncodingCache System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.File+<g__Core|67_0>d System.IO.File+<g__Core|103_0>d System.IO.File+d__100 System.IO.File+d__101 System.IO.File+d__106 System.IO.File+d__94 System.IO.File+d__110 System.IO.File+d__124 System.IO.File+d__122 System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStream+d__57 System.IO.FileStreamOptions System.IO.FileSystem System.IO.FileSystem+<>c__DisplayClass50_0 System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.Iterator`1[TSource] System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.Path+JoinInternalState System.IO.Path+<>c System.IO.PathTooLongException System.IO.PinnedBufferMemoryStream System.IO.RandomAccess System.IO.RandomAccess+CallbackResetEvent System.IO.RandomAccess+IMemoryHandler`1[T] System.IO.RandomAccess+MemoryHandler System.IO.RandomAccess+ReadOnlyMemoryHandler System.IO.RandomAccess+<>c System.IO.RandomAccess+d__31 System.IO.RandomAccess+d__29 System.IO.RandomAccess+d__35 System.IO.RandomAccess+d__33 System.IO.ReadLinesIterator System.IO.SearchOption System.IO.SearchTarget System.IO.SeekOrigin System.IO.Stream System.IO.Stream+ReadWriteParameters System.IO.Stream+ReadWriteTask System.IO.Stream+ReadWriteTask+<>O System.IO.Stream+NullStream System.IO.Stream+SyncStream System.IO.Stream+<g__Core|27_0>d System.IO.Stream+<g__FinishReadAsync|42_0>d System.IO.Stream+<>c System.IO.Stream+d__61 System.IO.Stream+d__46 System.IO.StreamReader System.IO.StreamReader+NullStreamReader System.IO.StreamReader+d__69 System.IO.StreamReader+d__72 System.IO.StreamReader+d__63 System.IO.StreamReader+d__66 System.IO.StreamWriter System.IO.StreamWriter+NullStreamWriter System.IO.StreamWriter+<g__Core|79_0>d System.IO.StreamWriter+d__37 System.IO.StreamWriter+d__67 System.IO.StreamWriter+d__71 System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextReader+SyncTextReader System.IO.TextReader+<>c System.IO.TextReader+d__23 System.IO.TextReader+d__17 System.IO.TextWriter System.IO.TextWriter+NullTextWriter System.IO.TextWriter+SyncTextWriter System.IO.TextWriter+BroadcastingTextWriter System.IO.TextWriter+BroadcastingTextWriter+d__10 System.IO.TextWriter+BroadcastingTextWriter+d__12 System.IO.TextWriter+BroadcastingTextWriter+d__13 System.IO.TextWriter+BroadcastingTextWriter+d__55 System.IO.TextWriter+BroadcastingTextWriter+d__56 System.IO.TextWriter+BroadcastingTextWriter+d__57 System.IO.TextWriter+BroadcastingTextWriter+d__58 System.IO.TextWriter+BroadcastingTextWriter+d__59 System.IO.TextWriter+BroadcastingTextWriter+d__60 System.IO.TextWriter+BroadcastingTextWriter+d__61 System.IO.TextWriter+BroadcastingTextWriter+d__62 System.IO.TextWriter+BroadcastingTextWriter+d__63 System.IO.TextWriter+BroadcastingTextWriter+d__64 System.IO.TextWriter+BroadcastingTextWriter+d__65 System.IO.TextWriter+<g__WriteAsyncCore|62_0>d System.IO.TextWriter+<g__WriteLineAsyncCore|68_0>d System.IO.TextWriter+<>c System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.UnmanagedMemoryStreamWrapper System.IO.PathInternal System.IO.DisableMediaInsertionPrompt System.IO.DriveInfoInternal System.IO.PathHelper System.IO.Win32Marshal System.IO.Strategies.BufferedFileStreamStrategy System.IO.Strategies.BufferedFileStreamStrategy+d__57 System.IO.Strategies.BufferedFileStreamStrategy+d__27 System.IO.Strategies.BufferedFileStreamStrategy+d__55 System.IO.Strategies.BufferedFileStreamStrategy+d__37 System.IO.Strategies.BufferedFileStreamStrategy+d__36 System.IO.Strategies.BufferedFileStreamStrategy+d__48 System.IO.Strategies.BufferedFileStreamStrategy+d__47 System.IO.Strategies.DerivedFileStreamStrategy System.IO.Strategies.FileStreamHelpers System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable+<>c System.IO.Strategies.FileStreamHelpers+<>c System.IO.Strategies.FileStreamHelpers+d__21 System.IO.Strategies.FileStreamStrategy System.IO.Strategies.OSFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy+d__5 System.IO.Strategies.SyncWindowsFileStreamStrategy System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemEnumerable`1+DelegateEnumerator[TResult] System.IO.Enumeration.FileSystemEnumerableFactory System.IO.Enumeration.FileSystemEnumerableFactory+<>c System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass2_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass3_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass4_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass5_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass6_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass7_0 System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.Debugger+CrossThreadDependencyNotification System.Diagnostics.EditAndContinueHelper System.Diagnostics.ICustomDebuggerNotification System.Diagnostics.StackFrame System.Diagnostics.StackFrameHelper System.Diagnostics.StackFrameHelper+GetSourceLineInfoDelegate System.Diagnostics.StackTrace System.Diagnostics.StackTrace+TraceFormat System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DebugProvider+DebugAssertException System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.ActivityTracker System.Diagnostics.Tracing.ActivityTracker+ActivityInfo System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.CounterGroup System.Diagnostics.Tracing.CounterGroup+<>O System.Diagnostics.Tracing.CounterPayload System.Diagnostics.Tracing.CounterPayload+d__51 System.Diagnostics.Tracing.IncrementingCounterPayload System.Diagnostics.Tracing.IncrementingCounterPayload+d__39 System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.CounterPayloadType System.Diagnostics.Tracing.EventDescriptor System.Diagnostics.Tracing.EventPipeEventInstanceData System.Diagnostics.Tracing.EventPipeSessionInfo System.Diagnostics.Tracing.EventPipeProviderConfiguration System.Diagnostics.Tracing.EventPipeSerializationFormat System.Diagnostics.Tracing.EventPipeInternal System.Diagnostics.Tracing.EventPipeInternal+EventPipeProviderConfigurationNative System.Diagnostics.Tracing.EventPipeEventDispatcher System.Diagnostics.Tracing.EventPipeEventDispatcher+EventListenerSubscription System.Diagnostics.Tracing.EventPipeEventDispatcher+<>c__DisplayClass12_0 System.Diagnostics.Tracing.EventPipeEventProvider System.Diagnostics.Tracing.EventPipeMetadataGenerator System.Diagnostics.Tracing.EventParameterInfo System.Diagnostics.Tracing.EventPipePayloadDecoder System.Diagnostics.Tracing.EventProviderType System.Diagnostics.Tracing.ControllerCommand System.Diagnostics.Tracing.EventProvider System.Diagnostics.Tracing.EventProvider+EventData System.Diagnostics.Tracing.EventProvider+WriteEventErrorCode System.Diagnostics.Tracing.EtwEventProvider System.Diagnostics.Tracing.EtwEventProvider+SessionInfo System.Diagnostics.Tracing.EtwEventProvider+SessionInfoCallback System.Diagnostics.Tracing.EtwEventProvider+<>O System.Diagnostics.Tracing.EventProviderImpl System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSource+EventData System.Diagnostics.Tracing.EventSource+OverrideEventProvider System.Diagnostics.Tracing.EventSource+EventMetadata System.Diagnostics.Tracing.EventSource+<>O System.Diagnostics.Tracing.EventSourceInitHelper System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventListener+<>c System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs+MoreEventInfo System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventChannelAttribute System.Diagnostics.Tracing.EventChannelType System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.SessionMask System.Diagnostics.Tracing.EventDispatcher System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.ManifestBuilder System.Diagnostics.Tracing.ManifestBuilder+ChannelInfo System.Diagnostics.Tracing.ManifestBuilder+<>c System.Diagnostics.Tracing.ManifestEnvelope System.Diagnostics.Tracing.ManifestEnvelope+ManifestFormats System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.FrameworkEventSource System.Diagnostics.Tracing.FrameworkEventSource+Keywords System.Diagnostics.Tracing.FrameworkEventSource+Tasks System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingEventCounterPayloadType System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.IncrementingPollingCounterPayloadType System.Diagnostics.Tracing.NativeRuntimeEventSource System.Diagnostics.Tracing.NativeRuntimeEventSource+Messages System.Diagnostics.Tracing.NativeRuntimeEventSource+Tasks System.Diagnostics.Tracing.NativeRuntimeEventSource+Opcodes System.Diagnostics.Tracing.NativeRuntimeEventSource+ContentionFlagsMap System.Diagnostics.Tracing.NativeRuntimeEventSource+ThreadAdjustmentReasonMap System.Diagnostics.Tracing.NativeRuntimeEventSource+WaitHandleWaitSourceMap System.Diagnostics.Tracing.NativeRuntimeEventSource+Keywords System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.PollingPayloadType System.Diagnostics.Tracing.RuntimeEventSource System.Diagnostics.Tracing.RuntimeEventSource+Keywords System.Diagnostics.Tracing.RuntimeEventSource+EventId System.Diagnostics.Tracing.RuntimeEventSource+<>O System.Diagnostics.Tracing.RuntimeEventSource+<>c System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.ArrayTypeInfo System.Diagnostics.Tracing.ConcurrentSet`2[KeyType,ItemType] System.Diagnostics.Tracing.ConcurrentSetItem`2[KeyType,ItemType] System.Diagnostics.Tracing.DataCollector System.Diagnostics.Tracing.EmptyStruct System.Diagnostics.Tracing.EnumerableTypeInfo System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventPayload System.Diagnostics.Tracing.EventPayload+d__17 System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.FieldMetadata System.Diagnostics.Tracing.InvokeTypeInfo System.Diagnostics.Tracing.NameInfo System.Diagnostics.Tracing.PropertyAnalysis System.Diagnostics.Tracing.PropertyValue System.Diagnostics.Tracing.PropertyValue+Scalar System.Diagnostics.Tracing.PropertyValue+TypeHelper System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_0[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_10[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_11[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_12[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_13[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_14[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_15[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_16[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_17[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_18[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_19[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_2[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_20[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_3[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_4[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_5[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_6[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_7[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_8[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_9[TContainer] System.Diagnostics.Tracing.PropertyValue+<>c System.Diagnostics.Tracing.PropertyValue+<>c__DisplayClass33_0 System.Diagnostics.Tracing.SimpleEventTypes`1[T] System.Diagnostics.Tracing.NullTypeInfo System.Diagnostics.Tracing.ScalarTypeInfo System.Diagnostics.Tracing.ScalarArrayTypeInfo System.Diagnostics.Tracing.StringTypeInfo System.Diagnostics.Tracing.DateTimeTypeInfo System.Diagnostics.Tracing.DateTimeOffsetTypeInfo System.Diagnostics.Tracing.TimeSpanTypeInfo System.Diagnostics.Tracing.DecimalTypeInfo System.Diagnostics.Tracing.NullableTypeInfo System.Diagnostics.Tracing.Statics System.Diagnostics.Tracing.Statics+<>O System.Diagnostics.Tracing.TraceLoggingDataCollector System.Diagnostics.Tracing.TraceLoggingDataType System.Diagnostics.Tracing.TraceLoggingEventHandleTable System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.TraceLoggingEventTypes System.Diagnostics.Tracing.TraceLoggingMetadataCollector System.Diagnostics.Tracing.TraceLoggingMetadataCollector+Impl System.Diagnostics.Tracing.TraceLoggingTypeInfo System.Diagnostics.Tracing.TypeAnalysis System.Diagnostics.Tracing.RuntimeEventSourceHelper System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.EmptyReadOnlyDictionaryInternal System.Collections.EmptyReadOnlyDictionaryInternal+NodeEnumerator System.Collections.ArrayList System.Collections.ArrayList+IListWrapper System.Collections.ArrayList+IListWrapper+IListWrapperEnumWrapper System.Collections.ArrayList+SyncArrayList System.Collections.ArrayList+SyncIList System.Collections.ArrayList+FixedSizeList System.Collections.ArrayList+FixedSizeArrayList System.Collections.ArrayList+ReadOnlyList System.Collections.ArrayList+ReadOnlyArrayList System.Collections.ArrayList+ArrayListEnumerator System.Collections.ArrayList+Range System.Collections.ArrayList+ArrayListEnumeratorSimple System.Collections.ArrayList+ArrayListDebugView System.Collections.Comparer System.Collections.CompatibleComparer System.Collections.DictionaryEntry System.Collections.HashHelpers System.Collections.Hashtable System.Collections.Hashtable+Bucket System.Collections.Hashtable+KeyCollection System.Collections.Hashtable+ValueCollection System.Collections.Hashtable+SyncHashtable System.Collections.Hashtable+HashtableEnumerator System.Collections.Hashtable+HashtableDebugView System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal+NodeEnumerator System.Collections.ListDictionaryInternal+NodeKeyValueCollection System.Collections.ListDictionaryInternal+NodeKeyValueCollection+NodeKeyValueEnumerator System.Collections.ListDictionaryInternal+DictionaryNode System.Collections.ListDictionaryInternal+ListDictionaryInternalDebugView System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.CollectionHelpers System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+DictionaryEnumerator[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.ConcurrentQueue`1+d__26[T] System.Collections.Concurrent.ConcurrentQueueSegment`1[T] System.Collections.Concurrent.ConcurrentQueueSegment`1+Slot[T] System.Collections.Concurrent.PaddedHeadAndTail System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Concurrent.IProducerConsumerCollectionDebugView`1[T] System.Collections.Concurrent.IProducerConsumerQueue`1[T] System.Collections.Concurrent.MultiProducerMultiConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+Segment[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SegmentState[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SingleProducerSingleConsumerQueue_DebugView[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+d__15[T] System.Collections.Generic.IArraySortHelper`1[TKey] System.Collections.Generic.ArraySortHelper`1[T] System.Collections.Generic.GenericArraySortHelper`1[T] System.Collections.Generic.IArraySortHelper`2[TKey,TValue] System.Collections.Generic.ArraySortHelper`2[TKey,TValue] System.Collections.Generic.GenericArraySortHelper`2[TKey,TValue] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EnumComparer`1[T] System.Collections.Generic.ComparerHelpers System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.EqualityComparer`1+<>c[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.ArrayBuilder`1[T] System.Collections.Generic.SortUtils System.Collections.Generic.CollectionExtensions System.Collections.Generic.ComparisonComparer`1[T] System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+CollectionsMarshalHelper[TKey,TValue] System.Collections.Generic.Dictionary`2+Entry[TKey,TValue] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.DebugViewDictionaryItem`2[TKey,TValue] System.Collections.Generic.DelegateEqualityComparer`1[T] System.Collections.Generic.StringEqualityComparer System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Entry[T] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.HashSetEqualityComparer`1[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.ICollectionDebugView`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IDictionaryDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryKeyCollectionDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryValueCollectionDebugView`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IInternalStringEqualityComparer System.Collections.Generic.IList`1[T] System.Collections.Generic.InsertionBehavior System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.QueueDebugView`1[T] System.Collections.Generic.RandomizedStringEqualityComparer System.Collections.Generic.RandomizedStringEqualityComparer+MarvinSeed System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ValueListBuilder`1[T] System.Collections.Generic.EnumerableHelpers System.Collections.Generic.BitHelper Internal.Console Internal.Console+Error Internal.PaddingFor32 Internal.PaddedReference Internal.Win32.RegistryKey Internal.Win32.Registry Internal.Win32.SafeHandles.SafeRegistryHandle Internal.Runtime.InteropServices.ComActivationContextInternal Internal.Runtime.InteropServices.ComponentActivator Internal.Runtime.InteropServices.ComponentActivator+ComponentEntryPoint Internal.Runtime.InteropServices.ComponentActivator+<>c__DisplayClass15_0 Internal.Runtime.InteropServices.LICINFO Internal.Runtime.InteropServices.IClassFactory Internal.Runtime.InteropServices.IClassFactory2 Internal.Runtime.InteropServices.ComActivationContext Internal.Runtime.InteropServices.ComActivator Internal.Runtime.InteropServices.ComActivator+BasicClassFactory Internal.Runtime.InteropServices.ComActivator+LicenseClassFactory Internal.Runtime.InteropServices.ComActivator+<>c__DisplayClass16_0 Internal.Runtime.InteropServices.LicenseInteropProxy Internal.Runtime.InteropServices.InMemoryAssemblyLoader Internal.Runtime.InteropServices.InMemoryAssemblyLoader+<>c__DisplayClass7_0 Internal.Runtime.InteropServices.IsolatedComponentLoadContext Internal.Runtime.CompilerHelpers.ThrowHelpers +__StaticArrayInitTypeSize=3 +__StaticArrayInitTypeSize=5 +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=16_Align=2 +__StaticArrayInitTypeSize=16_Align=4 +__StaticArrayInitTypeSize=17 +__StaticArrayInitTypeSize=21 +__StaticArrayInitTypeSize=24_Align=8 +__StaticArrayInitTypeSize=28_Align=2 +__StaticArrayInitTypeSize=28_Align=4 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=32_Align=4 +__StaticArrayInitTypeSize=32_Align=8 +__StaticArrayInitTypeSize=33 +__StaticArrayInitTypeSize=34 +__StaticArrayInitTypeSize=36_Align=4 +__StaticArrayInitTypeSize=38 +__StaticArrayInitTypeSize=40 +__StaticArrayInitTypeSize=40_Align=4 +__StaticArrayInitTypeSize=48_Align=4 +__StaticArrayInitTypeSize=51 +__StaticArrayInitTypeSize=52_Align=4 +__StaticArrayInitTypeSize=64 +__StaticArrayInitTypeSize=64_Align=4 +__StaticArrayInitTypeSize=64_Align=8 +__StaticArrayInitTypeSize=65 +__StaticArrayInitTypeSize=66 +__StaticArrayInitTypeSize=70 +__StaticArrayInitTypeSize=72 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=76_Align=4 +__StaticArrayInitTypeSize=82 +__StaticArrayInitTypeSize=84_Align=2 +__StaticArrayInitTypeSize=88_Align=8 +__StaticArrayInitTypeSize=98 +__StaticArrayInitTypeSize=128 +__StaticArrayInitTypeSize=128_Align=8 +__StaticArrayInitTypeSize=152_Align=8 +__StaticArrayInitTypeSize=168_Align=8 +__StaticArrayInitTypeSize=170 +__StaticArrayInitTypeSize=172_Align=4 +__StaticArrayInitTypeSize=174_Align=2 +__StaticArrayInitTypeSize=177 +__StaticArrayInitTypeSize=184_Align=8 +__StaticArrayInitTypeSize=201 +__StaticArrayInitTypeSize=233 +__StaticArrayInitTypeSize=256 +__StaticArrayInitTypeSize=256_Align=8 +__StaticArrayInitTypeSize=288_Align=4 +__StaticArrayInitTypeSize=466 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=512_Align=4 +__StaticArrayInitTypeSize=648_Align=8 +__StaticArrayInitTypeSize=696_Align=8 +__StaticArrayInitTypeSize=936_Align=4 +__StaticArrayInitTypeSize=1208_Align=2 +__StaticArrayInitTypeSize=1316 +__StaticArrayInitTypeSize=1416 +__StaticArrayInitTypeSize=1440 +__StaticArrayInitTypeSize=1472_Align=2 +__StaticArrayInitTypeSize=1728 +__StaticArrayInitTypeSize=2176 +__StaticArrayInitTypeSize=2224 +__StaticArrayInitTypeSize=2530 +__StaticArrayInitTypeSize=2593 +__StaticArrayInitTypeSize=3200 +__StaticArrayInitTypeSize=3389 +__StaticArrayInitTypeSize=5056 +__StaticArrayInitTypeSize=6256 +__StaticArrayInitTypeSize=6592 +__StaticArrayInitTypeSize=10416_Align=8 +__StaticArrayInitTypeSize=12144 +__StaticArrayInitTypeSize=15552 +__StaticArrayInitTypeSize=18128 <>y__InlineArray2`1[T] <>y__InlineArray3`1[T] <>y__InlineArray4`1[T]", + "IsCollectible": false, + "ManifestModule": "System.Private.CoreLib.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeWaitHandle System.ArgIterator System.Array System.Attribute System.BadImageFormatException System.Buffer System.Decimal System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.Enum System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Exception System.GCCollectionMode System.GCNotificationStatus System.GC System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeMethodHandle System.RuntimeFieldHandle System.ModuleHandle System.String System.Type System.TypedReference System.TypeLoadException System.ValueType System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.DataMisalignedException System.DateOnly System.DateTime System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfo System.Guid System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.Lazy`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalDataStoreSlot System.MarshalByRefObject System.MemberAccessException System.Memory`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.Random System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.TimeOnly System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TransitionTime System.TimeZoneNotFoundException System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.IResourceReader System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceManager System.Resources.ResourceReader System.Resources.ResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.Matrix3x2 System.Numerics.Matrix4x4 System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarWeekRule System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareOptions System.Globalization.CultureInfo System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GregorianCalendar System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HijriCalendar System.Globalization.IdnMapping System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.ArrayPool`1[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SearchValues System.Buffers.SearchValues`1[T] System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Utf8Formatter System.Buffers.Text.Utf8Parser System.Buffers.Binary.BinaryPrimitives System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.Thread System.Threading.ThreadPool System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CompressedStack System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.LockRecursionException System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterLockSlim System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ThreadAbortException System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.PeriodicTimer System.Threading.TimerCallback System.Threading.Timer System.Threading.Volatile System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.ITimer System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskScheduler System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.ASCIIEncoding System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.EncodingInfo System.Text.EncodingProvider System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.UnicodeEncoding System.Text.UTF32Encoding System.Text.UTF7Encoding System.Text.UTF8Encoding System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Runtime.ControlledExecution System.Runtime.DependentHandle System.Runtime.GCSettings System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.VersioningHelper System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Reflection.Assembly System.Reflection.AssemblyName System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodInvoker System.Reflection.CustomAttributeTypedArgument System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.Missing System.Reflection.Module System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.SignatureHelper System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeBuilder System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStreamOptions System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.PathTooLongException System.IO.RandomAccess System.IO.SearchOption System.IO.SeekOrigin System.IO.Stream System.IO.StreamReader System.IO.StreamWriter System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextWriter System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.StackFrame System.Diagnostics.StackTrace System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.EventTags System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.ArrayList System.Collections.Comparer System.Collections.DictionaryEntry System.Collections.Hashtable System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.CollectionExtensions System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IList`1[T] System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer Internal.Console Internal.Console+Error", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Reflection.Metadata.MetadataUpdateHandlerAttribute(typeof(System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler))] [System.CLSCompliantAttribute((Boolean)True)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)False)] [System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute((System.Runtime.InteropServices.DllImportSearchPath)2050)] [System.Reflection.AssemblyMetadataAttribute(\"Serviceable\", \"True\")] [System.Reflection.AssemblyMetadataAttribute(\"IsTrimmable\", \"True\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")] [System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute()] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"© Microsoft Corporation. All rights reserved.\")] [System.Reflection.AssemblyDescriptionAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyFileVersionAttribute(\"9.0.625.26613\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"9.0.6+3875b54e7b10b10606b105340199946d0b877754\")] [System.Reflection.AssemblyProductAttribute(\"Microsoft® .NET\")] [System.Reflection.AssemblyTitleAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyMetadataAttribute(\"RepositoryUrl\", \"https://github.com/dotnet/runtime\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Private.CoreLib.dll", + "Modules": "System.Private.CoreLib.dll", + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.ValueType", + "AssemblyQualifiedName": "System.ValueType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "478dd879-0e54-3ff8-b80b-281117149db3", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "ValueType", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554629, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.ValueType", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "Boolean Equals(System.Object) Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*) Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*) Int32 GetHashCode() ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef) System.String ToString() Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*) ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**) Void .ctor() System.ValueType+ValueTypeHashCodeStrategy", + "DeclaredMethods": "Boolean Equals(System.Object) Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*) Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*) Int32 GetHashCode() ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef) System.String ToString() Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*) ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**)", + "DeclaredNestedTypes": "System.ValueType+ValueTypeHashCodeStrategy", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1056897, + "IsAbstract": true, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": "[System.SerializableAttribute()] [System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)] [System.Runtime.CompilerServices.NullableAttribute((Byte)0)] [System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554958, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ModuleVersionId": "6322a2c9-49e1-408c-8faf-9b86b82127b8", + "MetadataToken": 1, + "ScopeName": "System.Private.CoreLib.dll", + "Name": "System.Private.CoreLib.dll", + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)] [System.Runtime.CompilerServices.NullablePublicOnlyAttribute((Boolean)False)] [System.Runtime.CompilerServices.SkipLocalsInitAttribute()]" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712117274280 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Void", + "AssemblyQualifiedName": "System.Void, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "962ce4fe-96d6-3545-86d7-2a92748d877c", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Void", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.ValueType", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554958, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "void", + "GenericTypeParameters": "", + "DeclaredConstructors": "", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048841, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": false, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": false, + "IsExplicitLayout": false, + "IsLayoutSequential": true, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": true, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [], + "DeclaredMethods": [], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1048841, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": false, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": false, + "IsExplicitLayout": false, + "IsLayoutSequential": true, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": true, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [] + }, + "Name": null, + "HasDefaultValue": false, + "DefaultValue": null, + "RawDefaultValue": null, + "MetadataToken": 134217728, + "Attributes": 0, + "Member": { + "Name": "MyMethod", + "DeclaringType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": "RefEmit_InMemoryManifestModule", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "MyClass", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMembers": "Void MyMethod() Void .ctor() System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMethods": "Void MyMethod()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "ReflectedType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": "RefEmit_InMemoryManifestModule", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "MyClass", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMembers": "Void MyMethod() Void .ctor() System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMethods": "Void MyMethod()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "MemberType": 8, + "MetadataToken": 100663298, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "" + }, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MethodHandle": { + "Value": { + "value": 140712199048136 + } + }, + "Attributes": 70, + "CallingConvention": 33, + "ReturnType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Void", + "AssemblyQualifiedName": "System.Void, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "962ce4fe-96d6-3545-86d7-2a92748d877c", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Void", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.ValueType", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554958, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "void", + "GenericTypeParameters": "", + "DeclaredConstructors": "", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048841, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": false, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": false, + "IsExplicitLayout": false, + "IsLayoutSequential": true, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": true, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "ReturnTypeCustomAttributes": { + "ParameterType": "void", + "Name": null, + "HasDefaultValue": false, + "DefaultValue": null, + "RawDefaultValue": null, + "MetadataToken": 134217728, + "Attributes": 0, + "Member": "Void MyMethod()", + "Position": -1, + "IsIn": false, + "IsLcid": false, + "IsOptional": false, + "IsOut": false, + "IsRetval": false, + "CustomAttributes": "" + }, + "ReturnParameter": { + "ParameterType": "void", + "Name": null, + "HasDefaultValue": false, + "DefaultValue": null, + "RawDefaultValue": null, + "MetadataToken": 134217728, + "Attributes": 0, + "Member": "Void MyMethod()", + "Position": -1, + "IsIn": false, + "IsLcid": false, + "IsOptional": false, + "IsOut": false, + "IsRetval": false, + "CustomAttributes": "" + }, + "IsCollectible": true, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": false, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": false, + "IsStatic": false, + "IsVirtual": true, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "CustomAttributes": [ + "[System.Management.Automation.HiddenAttribute()]" + ] + }, + "Position": -1, + "IsIn": false, + "IsLcid": false, + "IsOptional": false, + "IsOut": false, + "IsRetval": false, + "CustomAttributes": [] + }, + "ReturnParameter": { + "ParameterType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Void", + "AssemblyQualifiedName": "System.Void, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "962ce4fe-96d6-3545-86d7-2a92748d877c", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 1, + "CharSet": 2, + "Value": 0, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Void", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Private.CoreLib.dll", + "FullName": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "EntryPoint": null, + "DefinedTypes": "Interop Interop+OleAut32 Interop+Globalization Interop+Globalization+ResultCode Interop+BOOL Interop+Kernel32 Interop+Kernel32+NlsVersionInfoEx Interop+Kernel32+OVERLAPPED_ENTRY Interop+Kernel32+CONDITION_VARIABLE Interop+Kernel32+BY_HANDLE_FILE_INFORMATION Interop+Kernel32+CRITICAL_SECTION Interop+Kernel32+FILE_BASIC_INFO Interop+Kernel32+FILE_ALLOCATION_INFO Interop+Kernel32+FILE_END_OF_FILE_INFO Interop+Kernel32+FILE_STANDARD_INFO Interop+Kernel32+FILE_TIME Interop+Kernel32+FINDEX_INFO_LEVELS Interop+Kernel32+FINDEX_SEARCH_OPS Interop+Kernel32+GET_FILEEX_INFO_LEVELS Interop+Kernel32+CPINFO Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+CPINFO+e__FixedBuffer Interop+Kernel32+PROCESS_MEMORY_COUNTERS Interop+Kernel32+MEMORY_BASIC_INFORMATION Interop+Kernel32+MEMORYSTATUSEX Interop+Kernel32+SymbolicLinkReparseBuffer Interop+Kernel32+MountPointReparseBuffer Interop+Kernel32+SECURITY_ATTRIBUTES Interop+Kernel32+STORAGE_READ_CAPACITY Interop+Kernel32+SYSTEM_INFO Interop+Kernel32+SYSTEMTIME Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_DYNAMIC_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+TIME_ZONE_INFORMATION+e__FixedBuffer Interop+Kernel32+REG_TZI_FORMAT Interop+Kernel32+WIN32_FILE_ATTRIBUTE_DATA Interop+Kernel32+WIN32_FIND_DATA Interop+Kernel32+WIN32_FIND_DATA+<_cAlternateFileName>e__FixedBuffer Interop+Kernel32+WIN32_FIND_DATA+<_cFileName>e__FixedBuffer Interop+Kernel32+PROCESSOR_NUMBER Interop+Normaliz Interop+HostPolicy Interop+HostPolicy+corehost_resolve_component_dependencies_result_fn Interop+HostPolicy+corehost_error_writer_fn Interop+Advapi32 Interop+Advapi32+ActivityControl Interop+Advapi32+EVENT_FILTER_DESCRIPTOR Interop+Advapi32+EVENT_INFO_CLASS Interop+Advapi32+TRACE_QUERY_INFO_CLASS Interop+Advapi32+TRACE_GUID_INFO Interop+Advapi32+TRACE_PROVIDER_INSTANCE_INFO Interop+Advapi32+TRACE_ENABLE_INFO Interop+Advapi32+TOKEN_ELEVATION Interop+Advapi32+TOKEN_INFORMATION_CLASS Interop+BCrypt Interop+BCrypt+NTSTATUS Interop+Crypt32 Interop+BOOLEAN Interop+NtDll Interop+NtDll+CreateDisposition Interop+NtDll+CreateOptions Interop+NtDll+DesiredAccess Interop+NtDll+IO_STATUS_BLOCK Interop+NtDll+IO_STATUS_BLOCK+IO_STATUS Interop+NtDll+FILE_FULL_DIR_INFORMATION Interop+NtDll+FILE_INFORMATION_CLASS Interop+NtDll+RTL_OSVERSIONINFOEX Interop+NtDll+RTL_OSVERSIONINFOEX+e__FixedBuffer Interop+NtDll+SYSTEM_LEAP_SECOND_INFORMATION Interop+StatusOptions Interop+UNICODE_STRING Interop+SECURITY_QUALITY_OF_SERVICE Interop+ImpersonationLevel Interop+ContextTrackingMode Interop+OBJECT_ATTRIBUTES Interop+ObjectAttributes Interop+Ole32 Interop+Secur32 Interop+Shell32 Interop+Ucrtbase Interop+User32 Interop+User32+USEROBJECTFLAGS Interop+LongFileTime Microsoft.Win32.OAVariantLib Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource Microsoft.Win32.SafeHandles.SafeFileHandle+OverlappedValueTaskSource+<>c Microsoft.Win32.SafeHandles.SafeWaitHandle Microsoft.Win32.SafeHandles.SafeTokenHandle Microsoft.Win32.SafeHandles.SafeThreadHandle Microsoft.Win32.SafeHandles.SafeFindHandle Microsoft.Win32.SafeHandles.SafeThreadPoolIOHandle System.__Canon System.ArgIterator System.ArgIterator+SigPointer System.Array System.Array+ArrayAssignType System.Array+ArrayInitializeCache System.Array+EmptyArray`1[T] System.Array+SorterObjectArray System.Array+SorterGenericArray System.SZArrayHelper System.Attribute System.BadImageFormatException System.Buffer System.ComAwareWeakReference System.ComAwareWeakReference+ComInfo System.Currency System.Decimal System.Decimal+DecCalc System.Decimal+DecCalc+PowerOvfl System.Decimal+DecCalc+Buf12 System.Decimal+DecCalc+Buf16 System.Decimal+DecCalc+Buf24 System.Decimal+DecCalc+Buf28 System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.DelegateBindingFlags System.Enum System.Enum+EnumInfo`1[TStorage] System.Enum+<>c__62`1[TStorage] System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Environment+WindowsVersion System.Exception System.Exception+ExceptionMessageKind System.Exception+DispatchState System.GCCollectionMode System.GCNotificationStatus System.GC System.GC+GC_ALLOC_FLAGS System.GC+StartNoGCRegionStatus System.GC+EndNoGCRegionStatus System.GC+NoGCRegionCallbackFinalizerWorkItem System.GC+EnableNoGCRegionCallbackStatus System.GC+GCConfigurationContext System.GC+GCConfigurationType System.GC+RefreshMemoryStatus System.GC+GCHeapHardLimitInfo System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeTypeHandle+IntroducedMethodEnumerator System.RuntimeMethodHandleInternal System.RuntimeMethodInfoStub System.IRuntimeMethodInfo System.RuntimeMethodHandle System.RuntimeFieldHandleInternal System.IRuntimeFieldInfo System.RuntimeFieldInfoStub System.RuntimeFieldHandle System.ModuleHandle System.Signature System.Resolver System.Resolver+CORINFO_EH_CLAUSE System.RuntimeType System.RuntimeType+ActivatorCache System.RuntimeType+MemberListType System.RuntimeType+ListBuilder`1[T] System.RuntimeType+RuntimeTypeCache System.RuntimeType+RuntimeTypeCache+CacheType System.RuntimeType+RuntimeTypeCache+Filter System.RuntimeType+RuntimeTypeCache+MemberInfoCache`1[T] System.RuntimeType+RuntimeTypeCache+FunctionPointerCache System.RuntimeType+DispatchWrapperType System.RuntimeType+BoxCache System.RuntimeType+CreateUninitializedCache System.RuntimeType+CompositeCacheEntry System.RuntimeType+IGenericCacheEntry System.RuntimeType+IGenericCacheEntry`1[TCache] System.RuntimeType+CheckValueStatus System.TypeNameFormatFlags System.TypeNameKind System.MdUtf8String System.StartupHookProvider System.StartupHookProvider+StartupHookNameOrPath System.String System.String+SearchValuesStorage System.Type System.Type+<>c System.TypedReference System.TypeLoadException System.ValueType System.ValueType+ValueTypeHashCodeStrategy System.__ComObject System.OleAutBinder System.Variant System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppContextConfigHelper System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArrayEnumerator System.SZGenericArrayEnumeratorBase System.SZGenericArrayEnumerator`1[T] System.GenericEmptyEnumeratorBase System.GenericEmptyEnumerator`1[T] System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.ByReference System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.CurrentSystemTimeZone System.DataMisalignedException System.DateOnly System.DateOnly+<>c System.DateTime System.DateTime+LeapSecondCache System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DefaultBinder System.DefaultBinder+Primitives System.DefaultBinder+BinderState System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.Empty System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfoData System.GCMemoryInfo System.Gen2GcCallback System.DateTimeFormat System.DateTimeParse System.DateTimeParse+DTT System.DateTimeParse+TM System.DateTimeParse+DS System.__DTString System.DTSubStringType System.DTSubString System.DateTimeToken System.DateTimeRawInfo System.ParseFailureKind System.ParseFlags System.DateTimeResult System.ParsingInfo System.TokenType System.Guid System.Guid+GuidParseThrowStyle System.Guid+ParseFailure System.Guid+GuidResult System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.TwoObjects System.ThreeObjects System.EightObjects System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtfChar`1[TSelf] System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.LazyState System.LazyHelper System.Lazy`1[T] System.LazyDebugView`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalAppContextSwitches System.LocalDataStoreSlot System.MarshalByRefObject System.Marvin System.MemberAccessException System.Memory`1[T] System.MemoryDebugView`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+SpanSplitEnumeratorMode System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.Number System.Number+BigInteger System.Number+BigInteger+<_blocks>e__FixedBuffer System.Number+DiyFp System.Number+Grisu3 System.Number+IHexOrBinaryParser`1[TInteger] System.Number+HexParser`1[TInteger] System.Number+BinaryParser`1[TInteger] System.Number+NumberBuffer System.Number+NumberBufferKind System.Number+ParsingStatus System.IBinaryIntegerParseAndFormatInfo`1[TSelf] System.IBinaryFloatParseAndFormatInfo`1[TSelf] System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.ParseNumbers System.PasteArguments System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.ProgressStatics System.Random System.Random+ThreadSafeRandom System.Random+ImplBase System.Random+Net5CompatSeedImpl System.Random+Net5CompatDerivedImpl System.Random+CompatPrng System.Random+XoshiroImpl System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.SpanDebugView`1[T] System.SpanHelpers System.SpanHelpers+ComparerComparable`2[T,TComparer] System.SpanHelpers+Block16 System.SpanHelpers+Block64 System.SpanHelpers+INegator`1[T] System.SpanHelpers+DontNegate`1[T] System.SpanHelpers+Negate`1[T] System.PackedSpanHelpers System.PackedSpanHelpers+ITransform System.PackedSpanHelpers+NopTransform System.PackedSpanHelpers+Or20Transform System.SR System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.OrdinalCaseSensitiveComparer System.OrdinalIgnoreCaseComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.ThrowHelper System.ExceptionArgument System.ExceptionResource System.TimeOnly System.TimeOnly+<>c System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TimeZoneInfoResult System.TimeZoneInfo+CachedData System.TimeZoneInfo+StringSerializer System.TimeZoneInfo+StringSerializer+State System.TimeZoneInfo+TransitionTime System.TimeZoneInfo+OffsetAndRule System.TimeZoneInfo+<>c System.TimeZoneInfoOptions System.TimeZoneNotFoundException System.ITupleInternal System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleSlim`2[T1,T2] System.TupleSlim`3[T1,T2,T3] System.TupleSlim`4[T1,T2,T3,T4] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.IValueTupleInternal System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.TimeProvider+SystemTimeProviderTimer System.TimeProvider+SystemTimeProvider System.HexConverter System.HexConverter+Casing System.HexConverter+<>c System.NotImplemented System.Sha1ForNonSecretPurposes System.FixedBufferExtensions System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Private.CoreLib.Strings System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecureString+UnmanagedBuffer System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityElement+<>c System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.FastResourceComparer System.Resources.FileBasedResourceGroveler System.Resources.IResourceGroveler System.Resources.IResourceReader System.Resources.ManifestBasedResourceGroveler System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceFallbackManager System.Resources.ResourceFallbackManager+d__5 System.Resources.ResourceManager System.Resources.ResourceManager+CultureNameResourceSetPair System.Resources.ResourceManager+ResourceManagerMediator System.Resources.ResourceReader System.Resources.ResourceReader+ResourceEnumerator System.Resources.ResourceReader+<>c__DisplayClass7_0`1[TInstance] System.Resources.ResourceLocator System.Resources.ResourceSet System.Resources.ResourceTypeCode System.Resources.RuntimeResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.BitOperations+Crc32Fallback System.Numerics.Matrix3x2 System.Numerics.Matrix3x2+Impl System.Numerics.Matrix4x4 System.Numerics.Matrix4x4+Impl System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.VectorDebugView`1[T] System.Numerics.Crc32ReflectedTable System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Net.WebUtility+UrlDecoder System.Net.WebUtility+HtmlEntities System.Net.WebUtility+<>c System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarData System.Globalization.CalendarData+IcuEnumCalendarsData System.Globalization.CalendarData+EnumData System.Globalization.CalendarData+NlsEnumCalendarsData System.Globalization.CalendarData+<>c System.Globalization.CalendarDataType System.Globalization.CalendarWeekRule System.Globalization.CalendricalCalculationsHelper System.Globalization.CalendricalCalculationsHelper+CorrectionAlgorithm System.Globalization.CalendricalCalculationsHelper+EphemerisCorrectionAlgorithmMap System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareInfo+SortHandleCache System.Globalization.CompareOptions System.Globalization.CultureData System.Globalization.CultureData+LocaleStringData System.Globalization.CultureData+LocaleGroupingData System.Globalization.CultureData+LocaleNumberData System.Globalization.CultureData+EnumLocaleData System.Globalization.CultureData+EnumData System.Globalization.CultureInfo System.Globalization.CultureInfo+<>O System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.MonthNameStyles System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo+TokenHashValue System.Globalization.FORMATFLAGS System.Globalization.CalendarId System.Globalization.DateTimeFormatInfoScanner System.Globalization.DateTimeFormatInfoScanner+FoundDatePattern System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DaylightTimeStruct System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GlobalizationMode System.Globalization.GlobalizationMode+Settings System.Globalization.GregorianCalendar System.Globalization.EraInfo System.Globalization.GregorianCalendarHelper System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HebrewCalendar+DateBuffer System.Globalization.HebrewNumberParsingContext System.Globalization.HebrewNumberParsingState System.Globalization.HebrewNumber System.Globalization.HebrewNumber+HebrewToken System.Globalization.HebrewNumber+HebrewValue System.Globalization.HebrewNumber+HS System.Globalization.HijriCalendar System.Globalization.IcuLocaleDataParts System.Globalization.IcuLocaleData System.Globalization.IdnMapping System.Globalization.InvariantModeCasing System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseCalendar+<>O System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.Normalization System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.Ordinal System.Globalization.OrdinalCasing System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.StrongBidiCategory System.Globalization.SurrogateCasing System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.TextInfo+Tristate System.Globalization.TextInfo+ToUpperConversion System.Globalization.TextInfo+ToLowerConversion System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanFormat System.Globalization.TimeSpanFormat+StandardFormat System.Globalization.TimeSpanFormat+FormatLiterals System.Globalization.TimeSpanParse System.Globalization.TimeSpanParse+TimeSpanStandardStyles System.Globalization.TimeSpanParse+TTT System.Globalization.TimeSpanParse+TimeSpanToken System.Globalization.TimeSpanParse+TimeSpanTokenizer System.Globalization.TimeSpanParse+TimeSpanRawInfo System.Globalization.TimeSpanParse+TimeSpanResult System.Globalization.TimeSpanParse+StringParser System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UmAlQuraCalendar+DateMapping System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.CodeDom.Compiler.IndentedTextWriter+d__23 System.CodeDom.Compiler.IndentedTextWriter+d__38 System.CodeDom.Compiler.IndentedTextWriter+d__39 System.CodeDom.Compiler.IndentedTextWriter+d__40 System.CodeDom.Compiler.IndentedTextWriter+d__41 System.CodeDom.Compiler.IndentedTextWriter+d__42 System.CodeDom.Compiler.IndentedTextWriter+d__61 System.CodeDom.Compiler.IndentedTextWriter+d__62 System.CodeDom.Compiler.IndentedTextWriter+d__63 System.CodeDom.Compiler.IndentedTextWriter+d__64 System.CodeDom.Compiler.IndentedTextWriter+d__65 System.CodeDom.Compiler.IndentedTextWriter+d__66 System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.SpanFunc`5[TSpan,T1,T2,T3,TResult] System.Buffers.ArrayPool`1[T] System.Buffers.ArrayPoolEventSource System.Buffers.ArrayPoolEventSource+BufferAllocatedReason System.Buffers.ArrayPoolEventSource+BufferDroppedReason System.Buffers.ConfigurableArrayPool`1[T] System.Buffers.ConfigurableArrayPool`1+Bucket[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SharedArrayPool`1[T] System.Buffers.SharedArrayPool`1+<>c[T] System.Buffers.SharedArrayPoolThreadLocalArray System.Buffers.SharedArrayPoolPartitions System.Buffers.SharedArrayPoolPartitions+Partition System.Buffers.SharedArrayPoolStatics System.Buffers.Utilities System.Buffers.Utilities+MemoryPressure System.Buffers.Any1CharPackedSearchValues System.Buffers.Any1CharPackedIgnoreCaseSearchValues System.Buffers.Any2CharPackedIgnoreCaseSearchValues System.Buffers.Any3CharPackedSearchValues System.Buffers.Any2CharPackedSearchValues System.Buffers.Any1SearchValues`2[T,TImpl] System.Buffers.Any2SearchValues`2[T,TImpl] System.Buffers.Any3SearchValues`2[T,TImpl] System.Buffers.BitVector256 System.Buffers.BitVector256+<_values>e__FixedBuffer System.Buffers.ProbabilisticMapState System.Buffers.ProbabilisticWithAsciiCharSearchValues`1[TOptimizations] System.Buffers.Any4SearchValues`2[T,TImpl] System.Buffers.Any5SearchValues`2[T,TImpl] System.Buffers.AsciiByteSearchValues System.Buffers.AsciiCharSearchValues`1[TOptimizations] System.Buffers.IndexOfAnyAsciiSearcher System.Buffers.IndexOfAnyAsciiSearcher+AsciiState System.Buffers.IndexOfAnyAsciiSearcher+AnyByteState System.Buffers.IndexOfAnyAsciiSearcher+INegator System.Buffers.IndexOfAnyAsciiSearcher+DontNegate System.Buffers.IndexOfAnyAsciiSearcher+Negate System.Buffers.IndexOfAnyAsciiSearcher+IOptimizations System.Buffers.IndexOfAnyAsciiSearcher+Ssse3AndWasmHandleZeroInNeedle System.Buffers.IndexOfAnyAsciiSearcher+Default System.Buffers.IndexOfAnyAsciiSearcher+IResultMapper`2[T,TResult] System.Buffers.IndexOfAnyAsciiSearcher+ContainsAnyResultMapper`1[T] System.Buffers.IndexOfAnyAsciiSearcher+IndexOfAnyResultMapper`1[T] System.Buffers.AnyByteSearchValues System.Buffers.RangeByteSearchValues System.Buffers.RangeCharSearchValues`1[TShouldUsePacked] System.Buffers.ProbabilisticCharSearchValues System.Buffers.BitmapCharSearchValues System.Buffers.SearchValues System.Buffers.SearchValues+IRuntimeConst System.Buffers.SearchValues+TrueConst System.Buffers.SearchValues+FalseConst System.Buffers.SearchValues`1[T] System.Buffers.SearchValuesDebugView`1[T] System.Buffers.EmptySearchValues`1[T] System.Buffers.ProbabilisticMap System.Buffers.AhoCorasick System.Buffers.AhoCorasick+IFastScan System.Buffers.AhoCorasick+IndexOfAnyAsciiFastScan System.Buffers.AhoCorasick+NoFastScan System.Buffers.AhoCorasickBuilder System.Buffers.AhoCorasickNode System.Buffers.CharacterFrequencyHelper System.Buffers.RabinKarp System.Buffers.StringSearchValuesHelper System.Buffers.StringSearchValuesHelper+IValueLength System.Buffers.StringSearchValuesHelper+ValueLengthLessThan4 System.Buffers.StringSearchValuesHelper+ValueLength4To7 System.Buffers.StringSearchValuesHelper+ValueLength8OrLongerOrUnknown System.Buffers.StringSearchValuesHelper+ICaseSensitivity System.Buffers.StringSearchValuesHelper+CaseSensitive System.Buffers.StringSearchValuesHelper+CaseInsensitiveAsciiLetters System.Buffers.StringSearchValuesHelper+CaseInsensitiveAscii System.Buffers.StringSearchValuesHelper+CaseInsensitiveUnicode System.Buffers.TeddyBucketizer System.Buffers.TeddyHelper System.Buffers.AsciiStringSearchValuesTeddyBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN2`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyNonBucketizedN3`2[TStartCaseSensitivity,TCaseSensitivity] System.Buffers.AsciiStringSearchValuesTeddyBase`3[TBucketized,TStartCaseSensitivity,TCaseSensitivity] System.Buffers.MultiStringIgnoreCaseSearchValuesFallback System.Buffers.SingleStringSearchValuesThreeChars`2[TValueLength,TCaseSensitivity] System.Buffers.SingleStringSearchValuesFallback`1[TIgnoreCase] System.Buffers.StringSearchValues System.Buffers.StringSearchValues+<>c System.Buffers.StringSearchValuesBase System.Buffers.StringSearchValuesAhoCorasick`2[TCaseSensitivity,TFastScanVariant] System.Buffers.StringSearchValuesRabinKarp`1[TCaseSensitivity] System.Buffers.Text.Base64Helper System.Buffers.Text.Base64Helper+Base64DecoderByte System.Buffers.Text.Base64Helper+IBase64Encoder`1[T] System.Buffers.Text.Base64Helper+IBase64Decoder`1[T] System.Buffers.Text.Base64Helper+IBase64Validatable`1[T] System.Buffers.Text.Base64Helper+Base64CharValidatable System.Buffers.Text.Base64Helper+Base64ByteValidatable System.Buffers.Text.Base64Helper+Base64EncoderByte System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Base64Url+Base64UrlDecoderByte System.Buffers.Text.Base64Url+Base64UrlDecoderChar System.Buffers.Text.Base64Url+Base64UrlEncoderByte System.Buffers.Text.Base64Url+Base64UrlEncoderChar System.Buffers.Text.Base64Url+Base64UrlCharValidatable System.Buffers.Text.Base64Url+Base64UrlByteValidatable System.Buffers.Text.Base64Url+<>c System.Buffers.Text.FormattingHelpers System.Buffers.Text.Utf8Formatter System.Buffers.Text.ParserHelpers System.Buffers.Text.Utf8Parser System.Buffers.Text.Utf8Parser+ParseNumberOptions System.Buffers.Text.Utf8Parser+ComponentParseResult System.Buffers.Text.Utf8Parser+TimeSpanSplitter System.Buffers.Binary.BinaryPrimitives System.Buffers.Binary.BinaryPrimitives+Int16EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int32EndiannessReverser System.Buffers.Binary.BinaryPrimitives+Int64EndiannessReverser System.Buffers.Binary.BinaryPrimitives+IEndiannessReverser`1[T] System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.SynchronizationContext+<>c System.Threading.ThreadHandle System.Threading.Thread System.Threading.Thread+StartHelper System.Threading.Thread+LocalDataStore System.Threading.ThreadPool System.Threading.ThreadPool+<>c System.Threading.ThreadPool+d__26 System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.IAsyncLocal System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.IAsyncLocalValueMap System.Threading.AsyncLocalValueMap System.Threading.AsyncLocalValueMap+EmptyAsyncLocalValueMap System.Threading.AsyncLocalValueMap+OneElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+TwoElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ThreeElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+FourElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+MultiElementAsyncLocalValueMap System.Threading.AsyncLocalValueMap+ManyElementAsyncLocalValueMap System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationToken+<>c System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CancellationTokenSource+States System.Threading.CancellationTokenSource+Linked1CancellationTokenSource System.Threading.CancellationTokenSource+Linked2CancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource System.Threading.CancellationTokenSource+LinkedNCancellationTokenSource+<>c System.Threading.CancellationTokenSource+Registrations System.Threading.CancellationTokenSource+Registrations+d__12 System.Threading.CancellationTokenSource+CallbackNode System.Threading.CancellationTokenSource+CallbackNode+<>c System.Threading.CancellationTokenSource+<>c System.Threading.CompressedStack System.Threading.StackCrawlMark System.Threading.IDeferredDisposable System.Threading.DeferredDisposableLifetime`1[T] System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IOCompletionCallbackHelper System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.Lock+State System.Threading.Lock+TryLockResult System.Threading.Lock+ThreadId System.Threading.LockRecursionException System.Threading.LowLevelLock System.Threading.LowLevelSpinWaiter System.Threading.LowLevelMonitor System.Threading.LowLevelMonitor+Monitor System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterCount System.Threading.ReaderWriterLockSlim System.Threading.ReaderWriterLockSlim+TimeoutTracker System.Threading.ReaderWriterLockSlim+SpinLock System.Threading.ReaderWriterLockSlim+WaiterStates System.Threading.ReaderWriterLockSlim+EnterSpinLockReason System.Threading.ReaderWriterLockSlim+EnterLockType System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SemaphoreSlim+TaskNode System.Threading.SemaphoreSlim+d__31 System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinLock+SystemThreading_SpinLockDebugView System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ProcessorIdCache System.Threading.ThreadAbortException System.Threading.ThreadBlockingInfo System.Threading.ThreadBlockingInfo+Scope System.Threading.ThreadBlockingInfo+ObjectKind System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInt64PersistentCounter System.Threading.ThreadInt64PersistentCounter+ThreadLocalNode System.Threading.ThreadInt64PersistentCounter+ThreadLocalNodeFinalizationHelper System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.ThreadLocal`1+LinkedSlotVolatile[T] System.Threading.ThreadLocal`1+LinkedSlot[T] System.Threading.ThreadLocal`1+IdManager[T] System.Threading.ThreadLocal`1+FinalizationHelper[T] System.Threading.SystemThreading_ThreadLocalDebugView`1[T] System.Threading.ThreadPoolWorkQueue System.Threading.ThreadPoolWorkQueue+WorkStealingQueueList System.Threading.ThreadPoolWorkQueue+WorkStealingQueue System.Threading.ThreadPoolWorkQueue+QueueProcessingStage System.Threading.ThreadPoolWorkQueue+CacheLineSeparated System.Threading.ThreadPoolWorkQueueThreadLocals System.Threading.IThreadPoolTypedWorkItemQueueCallback`1[T] System.Threading.ThreadPoolTypedWorkItemQueue`2[T,TCallback] System.Threading.ThreadPoolTypedWorkItemQueue`2+QueueProcessingStage[T,TCallback] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.QueueUserWorkItemCallbackBase System.Threading.QueueUserWorkItemCallback System.Threading.QueueUserWorkItemCallback+<>c System.Threading.QueueUserWorkItemCallback`1[TState] System.Threading.QueueUserWorkItemCallbackDefaultContext System.Threading.QueueUserWorkItemCallbackDefaultContext`1[TState] System.Threading._ThreadPoolWaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.TimeoutHelper System.Threading.PeriodicTimer System.Threading.PeriodicTimer+State System.Threading.PeriodicTimer+State+<>c System.Threading.PeriodicTimer+<>c System.Threading.TimerCallback System.Threading.TimerQueue System.Threading.TimerQueue+TimerQueueDebuggerTypeProxy System.Threading.TimerQueue+<>O System.Threading.TimerQueue+d__7 System.Threading.TimerQueueTimer System.Threading.TimerQueueTimer+TimerDebuggerTypeProxy System.Threading.TimerQueueTimer+<>c System.Threading.TimerHolder System.Threading.Timer System.Threading.Timer+<>c System.Threading.Volatile System.Threading.Volatile+VolatileBoolean System.Threading.Volatile+VolatileByte System.Threading.Volatile+VolatileInt16 System.Threading.Volatile+VolatileInt32 System.Threading.Volatile+VolatileIntPtr System.Threading.Volatile+VolatileSByte System.Threading.Volatile+VolatileSingle System.Threading.Volatile+VolatileUInt16 System.Threading.Volatile+VolatileUInt32 System.Threading.Volatile+VolatileUIntPtr System.Threading.Volatile+VolatileObject System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.Win32ThreadPoolNativeOverlapped System.Threading.Win32ThreadPoolNativeOverlapped+ExecutionContextCallbackArgs System.Threading.Win32ThreadPoolNativeOverlapped+OverlappedData System.Threading.Win32ThreadPoolNativeOverlapped+<>O System.Threading.ITimer System.Threading.OpenExistingResult System.Threading.AsyncOverSyncWithIoCancellation System.Threading.AsyncOverSyncWithIoCancellation+SyncAsyncWorkItemRegistration System.Threading.AsyncOverSyncWithIoCancellation+<>c System.Threading.AsyncOverSyncWithIoCancellation+d__7`1[TState] System.Threading.AsyncOverSyncWithIoCancellation+d__8`2[TState,TResult] System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.WindowsThreadPool System.Threading.WindowsThreadPool+ThreadCountHolder System.Threading.WindowsThreadPool+WorkingThreadCounter System.Threading.WindowsThreadPool+<>O System.Threading.CompleteWaitThreadPoolWorkItem System.Threading.PortableThreadPool System.Threading.PortableThreadPool+CacheLineSeparated System.Threading.PortableThreadPool+PendingBlockingAdjustment System.Threading.PortableThreadPool+BlockingConfig System.Threading.PortableThreadPool+GateThread System.Threading.PortableThreadPool+GateThread+DelayHelper System.Threading.PortableThreadPool+GateThread+<>O System.Threading.PortableThreadPool+HillClimbing System.Threading.PortableThreadPool+HillClimbing+StateOrTransition System.Threading.PortableThreadPool+HillClimbing+LogEntry System.Threading.PortableThreadPool+HillClimbing+Complex System.Threading.PortableThreadPool+IOCompletionPoller System.Threading.PortableThreadPool+IOCompletionPoller+Callback System.Threading.PortableThreadPool+IOCompletionPoller+Event System.Threading.PortableThreadPool+ThreadCounts System.Threading.PortableThreadPool+WaitThreadNode System.Threading.PortableThreadPool+WaitThread System.Threading.PortableThreadPool+WorkerThread System.Threading.PortableThreadPool+WorkerThread+<>c System.Threading.PortableThreadPool+CountsOfThreadsProcessingUserCallbacks System.Threading.PortableThreadPool+CpuUtilizationReader System.Threading.LowLevelLifoSemaphore System.Threading.LowLevelLifoSemaphore+Counts System.Threading.LowLevelLifoSemaphore+CacheLineSeparatedCounts System.Threading.ThreadPoolBoundHandleOverlapped System.Threading.ThreadPoolCallbackWrapper System.Threading.Tasks.AsyncCausalityStatus System.Threading.Tasks.CausalityRelation System.Threading.Tasks.CausalitySynchronousWork System.Threading.Tasks.CachedCompletedInt32Task System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+CompletionState System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+SchedulerWorkItem System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+<>c System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+DebugView System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ProcessingMode System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+<>c System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.SystemThreadingTasks_FutureDebugView`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskFactory`1+FromAsyncTrimPromise`1[TResult,TInstance] System.Threading.Tasks.TaskFactory`1+<>c[TResult] System.Threading.Tasks.TaskFactory`1+<>c__56`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__67`1[TResult,TAntecedentResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass32_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass35_0[TResult] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass38_0`1[TResult,TArg1] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass41_0`2[TResult,TArg1,TArg2] System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass44_0`3[TResult,TArg1,TArg2,TArg3] System.Threading.Tasks.LoggingExtensions System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.Task+TaskStateFlags System.Threading.Tasks.Task+ContingentProperties System.Threading.Tasks.Task+CancellationPromise`1[TResult] System.Threading.Tasks.Task+CancellationPromise`1+<>c[TResult] System.Threading.Tasks.Task+SetOnInvokeMres System.Threading.Tasks.Task+SetOnCountdownMres System.Threading.Tasks.Task+DelayPromise System.Threading.Tasks.Task+DelayPromiseWithCancellation System.Threading.Tasks.Task+DelayPromiseWithCancellation+<>c System.Threading.Tasks.Task+WhenAllPromise System.Threading.Tasks.Task+WhenAllPromise+<>c__DisplayClass2_0 System.Threading.Tasks.Task+WhenAllPromise`1[T] System.Threading.Tasks.Task+TwoTaskWhenAnyPromise`1[TTask] System.Threading.Tasks.Task+WhenEachState System.Threading.Tasks.Task+WhenEachState+d__15`1[T] System.Threading.Tasks.Task+<>c System.Threading.Tasks.CompletionActionInvoker System.Threading.Tasks.SystemThreadingTasks_TaskDebugView System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.InternalTaskOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.VoidTaskResult System.Threading.Tasks.ITaskCompletionAction System.Threading.Tasks.UnwrapPromise`1[TResult] System.Threading.Tasks.UnwrapPromise`1+<>c[TResult] System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskAsyncEnumerableExtensions+ManualResetEventWithAwaiterSupport System.Threading.Tasks.TaskAsyncEnumerableExtensions+d__3`1[T] System.Threading.Tasks.TaskCache System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.ContinuationTaskFromTask System.Threading.Tasks.ContinuationResultTaskFromTask`1[TResult] System.Threading.Tasks.ContinuationTaskFromResultTask`1[TAntecedentResult] System.Threading.Tasks.ContinuationResultTaskFromResultTask`2[TAntecedentResult,TResult] System.Threading.Tasks.TaskContinuation System.Threading.Tasks.ContinueWithTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>O System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c__DisplayClass6_0 System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation+<>c System.Threading.Tasks.AwaitTaskContinuation System.Threading.Tasks.AwaitTaskContinuation+<>c System.Threading.Tasks.TaskExceptionHolder System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise`1[T] System.Threading.Tasks.TaskFactory+CompleteOnInvokePromise`1[TTask] System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskScheduler+SystemThreadingTasks_TaskSchedulerDebugView System.Threading.Tasks.SynchronizationContextTaskScheduler System.Threading.Tasks.SynchronizationContextTaskScheduler+<>c System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ThreadPoolTaskScheduler System.Threading.Tasks.ThreadPoolTaskScheduler+<>c System.Threading.Tasks.ThreadPoolTaskScheduler+d__6 System.Threading.Tasks.TplEventSource System.Threading.Tasks.TplEventSource+TaskWaitBehavior System.Threading.Tasks.TplEventSource+Tasks System.Threading.Tasks.TplEventSource+Keywords System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask System.Threading.Tasks.ValueTask+ValueTaskSourceAsTask+<>c System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask[TResult] System.Threading.Tasks.ValueTask`1+ValueTaskSourceAsTask+<>c[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.TaskToAsyncResult+TaskAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Threading.Tasks.Sources.CapturedSchedulerAndExecutionContext System.Threading.Tasks.Sources.ManualResetValueTaskSourceCoreShared System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+ChunkEnumerator+ManyChunkInfo System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.Ascii+ToUpperConversion System.Text.Ascii+ToLowerConversion System.Text.Ascii+ILoader`2[TLeft,TRight] System.Text.Ascii+PlainLoader`1[T] System.Text.Ascii+WideningLoader System.Text.ASCIIEncoding System.Text.ASCIIEncoding+ASCIIEncodingSealed System.Text.CodePageDataItem System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderNLS System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderLatin1BestFitFallback System.Text.EncoderLatin1BestFitFallbackBuffer System.Text.EncoderNLS System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.Encoding+DefaultEncoder System.Text.Encoding+DefaultDecoder System.Text.Encoding+EncodingCharBuffer System.Text.Encoding+EncodingByteBuffer System.Text.EncodingTable System.Text.EncodingInfo System.Text.EncodingProvider System.Text.Latin1Encoding System.Text.Latin1Encoding+Latin1EncodingSealed System.Text.Latin1Utility System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.TranscodingStream System.Text.TranscodingStream+<g__DisposeAsyncCore|30_0>d System.Text.TranscodingStream+<g__ReadAsyncCore|41_0>d System.Text.TranscodingStream+<g__WriteAsyncCore|50_0>d System.Text.TrimType System.Text.UnicodeEncoding System.Text.UnicodeEncoding+Decoder System.Text.UnicodeUtility System.Text.UTF32Encoding System.Text.UTF32Encoding+UTF32Decoder System.Text.UTF7Encoding System.Text.UTF7Encoding+Decoder System.Text.UTF7Encoding+Encoder System.Text.UTF7Encoding+DecoderUTF7Fallback System.Text.UTF7Encoding+DecoderUTF7FallbackBuffer System.Text.UTF8Encoding System.Text.UTF8Encoding+UTF8EncodingSealed System.Text.ValueStringBuilder System.Text.StringBuilderCache System.Text.Unicode.GraphemeClusterBreakType System.Text.Unicode.TextSegmentationUtility System.Text.Unicode.TextSegmentationUtility+DecodeFirstRune`1[T] System.Text.Unicode.TextSegmentationUtility+Processor`1[T] System.Text.Unicode.Utf16Utility System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Text.Unicode.Utf8Utility System.StubHelpers.AnsiCharMarshaler System.StubHelpers.CSTRMarshaler System.StubHelpers.UTF8BufferMarshaler System.StubHelpers.BSTRMarshaler System.StubHelpers.VBByValStrMarshaler System.StubHelpers.AnsiBSTRMarshaler System.StubHelpers.FixedWSTRMarshaler System.StubHelpers.ObjectMarshaler System.StubHelpers.HandleMarshaler System.StubHelpers.DateMarshaler System.StubHelpers.InterfaceMarshaler System.StubHelpers.MngdNativeArrayMarshaler System.StubHelpers.MngdNativeArrayMarshaler+MarshalerState System.StubHelpers.MngdFixedArrayMarshaler System.StubHelpers.MngdFixedArrayMarshaler+MarshalerState System.StubHelpers.MngdSafeArrayMarshaler System.StubHelpers.MngdRefCustomMarshaler System.StubHelpers.AsAnyMarshaler System.StubHelpers.AsAnyMarshaler+BackPropAction System.StubHelpers.CleanupWorkListElement System.StubHelpers.KeepAliveCleanupWorkListElement System.StubHelpers.SafeHandleCleanupWorkListElement System.StubHelpers.StubHelpers System.Runtime.ControlledExecution System.Runtime.ControlledExecution+Canceler System.Runtime.ControlledExecution+<>c System.Runtime.DependentHandle System.Runtime.RhFailFastReason System.Runtime.EH System.Runtime.EH+RhEHClauseKind System.Runtime.EH+RhEHClause System.Runtime.EH+EHEnum System.Runtime.EH+MethodRegionInfo System.Runtime.EH+PAL_LIMITED_CONTEXT System.Runtime.EH+ExKind System.Runtime.EH+ExInfo System.Runtime.ExceptionIDs System.Runtime.REGDISPLAY System.Runtime.StackFrameIterator System.Runtime.GCSettings System.Runtime.GCSettings+SetLatencyModeStatus System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCFrameRegistration System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.SxSRequirements System.Runtime.Versioning.VersioningHelper System.Runtime.Versioning.NonVersionableAttribute System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.DeserializationTracker System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+InternalState System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyLoadContext+d__88 System.Runtime.Loader.AssemblyLoadContext+d__58 System.Runtime.Loader.DefaultAssemblyLoadContext System.Runtime.Loader.IndividualAssemblyLoadContext System.Runtime.Loader.LibraryNameVariation System.Runtime.Loader.LibraryNameVariation+d__4 System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Loader.AssemblyDependencyResolver+<>c__DisplayClass6_0 System.Runtime.Intrinsics.ISimdVector`2[TSelf,T] System.Runtime.Intrinsics.Scalar`1[T] System.Runtime.Intrinsics.SimdVectorExtensions System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector128DebugView`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector256DebugView`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector512DebugView`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Vector64DebugView`1[T] System.Runtime.Intrinsics.VectorMath System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.DynamicInterfaceCastableHelpers System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.Marshal+<>O System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.MemoryMarshal+<g__FromArray|18_2>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromMemoryManager|18_1>d`1[T] System.Runtime.InteropServices.MemoryMarshal+<g__FromString|18_0>d`1[T] System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappersScenario System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch+ComInterfaceInstance System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.IDispatch System.Runtime.InteropServices.InvokeFlags System.Runtime.InteropServices.ComEventsMethod System.Runtime.InteropServices.ComEventsMethod+DelegateWrapper System.Runtime.InteropServices.ComEventsSink System.Runtime.InteropServices.BuiltInInteropVariantExtensions System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.ComEventsInfo System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PosixSignalRegistration+Token System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.IMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ComVariant+TypeUnion System.Runtime.InteropServices.Marshalling.ComVariant+Record System.Runtime.InteropServices.Marshalling.ComVariant+Blob System.Runtime.InteropServices.Marshalling.ComVariant+Vector`1[T] System.Runtime.InteropServices.Marshalling.ComVariant+VersionedStream System.Runtime.InteropServices.Marshalling.ComVariant+ClipboardData System.Runtime.InteropServices.Marshalling.ComVariant+UnionTypes System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.CustomMarshalers.ComDataHelpers System.Runtime.InteropServices.CustomMarshalers.EnumVariantViewOfEnumerator System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumerableToDispatchMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumerableViewOfDispatch System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler System.Runtime.InteropServices.CustomMarshalers.EnumeratorToEnumVariantMarshaler+<>c System.Runtime.InteropServices.CustomMarshalers.EnumeratorViewOfEnumVariant System.Runtime.InteropServices.CustomMarshalers.ExpandoToDispatchExMarshaler System.Runtime.InteropServices.CustomMarshalers.TypeToTypeInfoMarshaler System.Runtime.InteropServices.ComTypes.IEnumerable System.Runtime.InteropServices.ComTypes.IEnumerator System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.InternalCalls System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.CastHelpers System.Runtime.CompilerServices.ICastableHelpers System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.RawData System.Runtime.CompilerServices.RawArrayData System.Runtime.CompilerServices.MethodTable System.Runtime.CompilerServices.MethodTableAuxiliaryData System.Runtime.CompilerServices.TypeHandle System.Runtime.CompilerServices.PortableTailCallFrame System.Runtime.CompilerServices.TailCallTls System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncMethodBuilderCore+ContinuationWrapper System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+DebugFinalizableAsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1+AsyncStateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CastResult System.Runtime.CompilerServices.CastCache System.Runtime.CompilerServices.CastCache+CastCacheEntry System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompExactlyDependsOnAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Enumerator[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Entry[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+Container[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+<>c[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.FormattableStringFactory+ConcreteFormattableString System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.IAsyncStateMachineBox System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IntrinsicAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+SyncSuccessSentinelStateMachineBox[TResult] System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1+StateMachineBox`1[TResult,TStateMachine] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StackAllocatedBox`1[T] System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter+<>c System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ITaskAwaiter System.Runtime.CompilerServices.IConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter+<>c System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.IStateMachineBoxAwareAwaiter System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter+<>c System.Runtime.CompilerServices.StringHandleOnStack System.Runtime.CompilerServices.ObjectHandleOnStack System.Runtime.CompilerServices.StackCrawlMarkHandle System.Runtime.CompilerServices.QCallModule System.Runtime.CompilerServices.QCallAssembly System.Runtime.CompilerServices.QCallTypeHandle System.Reflection.Assembly System.Reflection.Assembly+<>O System.Reflection.NativeAssemblyNameParts System.Reflection.AssemblyName System.Reflection.Associates System.Reflection.Associates+Attributes System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.LoaderAllocatorScout System.Reflection.LoaderAllocator System.Reflection.MdConstant System.Reflection.MdFieldInfo System.Reflection.MdSigCallingConvention System.Reflection.PInvokeAttributes System.Reflection.MethodSemanticsAttributes System.Reflection.MetadataTokenType System.Reflection.ConstArray System.Reflection.MetadataToken System.Reflection.MetadataEnumResult System.Reflection.MetadataEnumResult+SmallIntArray System.Reflection.MetadataImport System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodBase+InvokerStrategy System.Reflection.MethodBase+InvokerArgFlags System.Reflection.MethodBase+ArgumentData`1[T] System.Reflection.MethodBase+StackAllocatedArguments System.Reflection.MethodBase+StackAllocatedArgumentsWithCopyBack System.Reflection.MethodBase+StackAllocatedByRefs System.Reflection.MethodBaseInvoker System.Reflection.MethodInvoker System.Reflection.ModifiedType System.Reflection.ModifiedType+TypeSignature System.Reflection.RtFieldInfo System.Reflection.RuntimeAssembly System.Reflection.RuntimeAssembly+ManifestResourceStream System.Reflection.RuntimeConstructorInfo System.Reflection.RuntimeCustomAttributeData System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeRecord System.Reflection.CustomAttributeEncoding System.Reflection.PrimitiveValue System.Reflection.CustomAttributeEncodedArgument System.Reflection.CustomAttributeEncodedArgument+CustomAttributeDataParser System.Reflection.CustomAttributeCtorParameter System.Reflection.CustomAttributeNamedParameter System.Reflection.CustomAttributeType System.Reflection.CustomAttribute System.Reflection.PseudoCustomAttribute System.Reflection.RuntimeEventInfo System.Reflection.RuntimeExceptionHandlingClause System.Reflection.RuntimeFieldInfo System.Reflection.RuntimeLocalVariableInfo System.Reflection.RuntimeMethodBody System.Reflection.RuntimeMethodInfo System.Reflection.RuntimeModule System.Reflection.RuntimeParameterInfo System.Reflection.RuntimePropertyInfo System.Reflection.TypeNameResolver System.Reflection.CerHashtable`2[K,V] System.Reflection.CerHashtable`2+Table[K,V] System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameHelpers System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CorElementType System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAccessor System.Reflection.FieldAccessor+FieldAccessorType System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.InvocationFlags System.Reflection.InvokerEmitUtil System.Reflection.InvokerEmitUtil+InvokeFunc_RefArgs System.Reflection.InvokerEmitUtil+InvokeFunc_ObjSpanArgs System.Reflection.InvokerEmitUtil+InvokeFunc_Obj4Args System.Reflection.InvokerEmitUtil+ThrowHelper System.Reflection.InvokerEmitUtil+Methods System.Reflection.InvokeUtils System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.MethodInvokerCommon System.Reflection.Missing System.Reflection.ModifiedHasElementType System.Reflection.ModifiedFunctionPointerType System.Reflection.ModifiedGenericType System.Reflection.Module System.Reflection.Module+<>c System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.NullabilityInfoContext+NotAnnotatedStatus System.Reflection.NullabilityInfoContext+NullableAttributeStateParser System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.SignatureArrayType System.Reflection.SignatureByRefType System.Reflection.SignatureCallingConvention System.Reflection.SignatureConstructedGenericType System.Reflection.SignatureGenericMethodParameterType System.Reflection.SignatureGenericParameterType System.Reflection.SignatureHasElementType System.Reflection.SignaturePointerType System.Reflection.SignatureType System.Reflection.SignatureTypeExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.TypeInfo+d__10 System.Reflection.TypeInfo+d__22 System.Reflection.AssemblyNameParser System.Reflection.AssemblyNameParser+AssemblyNameParts System.Reflection.AssemblyNameParser+Token System.Reflection.AssemblyNameParser+AttributeKind System.Reflection.AssemblyNameFormatter System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler System.Reflection.Metadata.TypeNameParseOptions System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Metadata.AssemblyNameInfo System.Reflection.Metadata.TypeName System.Reflection.Metadata.TypeNameHelpers System.Reflection.Metadata.TypeNameParser System.Reflection.Metadata.TypeNameParserHelpers System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILGenerator System.Reflection.Emit.DynamicResolver System.Reflection.Emit.DynamicResolver+DestroyScout System.Reflection.Emit.DynamicResolver+SecurityControlFlags System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicScope System.Reflection.Emit.GenericMethodInfo System.Reflection.Emit.GenericFieldInfo System.Reflection.Emit.VarArgMethod System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.AssemblyBuilder+ForceAllowDynamicCodeScope System.Reflection.Emit.RuntimeAssemblyBuilder System.Reflection.Emit.RuntimeConstructorBuilder System.Reflection.Emit.RuntimeEnumBuilder System.Reflection.Emit.RuntimeEventBuilder System.Reflection.Emit.RuntimeFieldBuilder System.Reflection.Emit.RuntimeGenericTypeParameterBuilder System.Reflection.Emit.RuntimeILGenerator System.Reflection.Emit.__LabelInfo System.Reflection.Emit.__FixupData System.Reflection.Emit.__ExceptionInfo System.Reflection.Emit.ScopeAction System.Reflection.Emit.ScopeTree System.Reflection.Emit.RuntimeLocalBuilder System.Reflection.Emit.RuntimeMethodBuilder System.Reflection.Emit.LocalSymInfo System.Reflection.Emit.ExceptionHandler System.Reflection.Emit.RuntimeModuleBuilder System.Reflection.Emit.RuntimeParameterBuilder System.Reflection.Emit.RuntimePropertyBuilder System.Reflection.Emit.RuntimeTypeBuilder System.Reflection.Emit.RuntimeTypeBuilder+CustAttr System.Reflection.Emit.SignatureHelper System.Reflection.Emit.SymbolMethod System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.ConstructorOnTypeBuilderInstantiation System.Reflection.Emit.EmptyCAHolder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FieldOnTypeBuilderInstantiation System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.MethodBuilderInstantiation System.Reflection.Emit.MethodOnTypeBuilderInstantiation System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodeValues System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeKind System.Reflection.Emit.SymbolType System.Reflection.Emit.TypeBuilder System.Reflection.Emit.TypeBuilderInstantiation System.Reflection.Emit.TypeNameBuilder System.Reflection.Emit.TypeNameBuilder+Format System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.BufferedStream+d__68 System.IO.BufferedStream+d__33 System.IO.BufferedStream+d__36 System.IO.BufferedStream+d__40 System.IO.BufferedStream+d__48 System.IO.BufferedStream+d__59 System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EncodingCache System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.File+<g__Core|67_0>d System.IO.File+<g__Core|103_0>d System.IO.File+d__100 System.IO.File+d__101 System.IO.File+d__106 System.IO.File+d__94 System.IO.File+d__110 System.IO.File+d__124 System.IO.File+d__122 System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStream+d__57 System.IO.FileStreamOptions System.IO.FileSystem System.IO.FileSystem+<>c__DisplayClass50_0 System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.Iterator`1[TSource] System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.Path+JoinInternalState System.IO.Path+<>c System.IO.PathTooLongException System.IO.PinnedBufferMemoryStream System.IO.RandomAccess System.IO.RandomAccess+CallbackResetEvent System.IO.RandomAccess+IMemoryHandler`1[T] System.IO.RandomAccess+MemoryHandler System.IO.RandomAccess+ReadOnlyMemoryHandler System.IO.RandomAccess+<>c System.IO.RandomAccess+d__31 System.IO.RandomAccess+d__29 System.IO.RandomAccess+d__35 System.IO.RandomAccess+d__33 System.IO.ReadLinesIterator System.IO.SearchOption System.IO.SearchTarget System.IO.SeekOrigin System.IO.Stream System.IO.Stream+ReadWriteParameters System.IO.Stream+ReadWriteTask System.IO.Stream+ReadWriteTask+<>O System.IO.Stream+NullStream System.IO.Stream+SyncStream System.IO.Stream+<g__Core|27_0>d System.IO.Stream+<g__FinishReadAsync|42_0>d System.IO.Stream+<>c System.IO.Stream+d__61 System.IO.Stream+d__46 System.IO.StreamReader System.IO.StreamReader+NullStreamReader System.IO.StreamReader+d__69 System.IO.StreamReader+d__72 System.IO.StreamReader+d__63 System.IO.StreamReader+d__66 System.IO.StreamWriter System.IO.StreamWriter+NullStreamWriter System.IO.StreamWriter+<g__Core|79_0>d System.IO.StreamWriter+d__37 System.IO.StreamWriter+d__67 System.IO.StreamWriter+d__71 System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextReader+SyncTextReader System.IO.TextReader+<>c System.IO.TextReader+d__23 System.IO.TextReader+d__17 System.IO.TextWriter System.IO.TextWriter+NullTextWriter System.IO.TextWriter+SyncTextWriter System.IO.TextWriter+BroadcastingTextWriter System.IO.TextWriter+BroadcastingTextWriter+d__10 System.IO.TextWriter+BroadcastingTextWriter+d__12 System.IO.TextWriter+BroadcastingTextWriter+d__13 System.IO.TextWriter+BroadcastingTextWriter+d__55 System.IO.TextWriter+BroadcastingTextWriter+d__56 System.IO.TextWriter+BroadcastingTextWriter+d__57 System.IO.TextWriter+BroadcastingTextWriter+d__58 System.IO.TextWriter+BroadcastingTextWriter+d__59 System.IO.TextWriter+BroadcastingTextWriter+d__60 System.IO.TextWriter+BroadcastingTextWriter+d__61 System.IO.TextWriter+BroadcastingTextWriter+d__62 System.IO.TextWriter+BroadcastingTextWriter+d__63 System.IO.TextWriter+BroadcastingTextWriter+d__64 System.IO.TextWriter+BroadcastingTextWriter+d__65 System.IO.TextWriter+<g__WriteAsyncCore|62_0>d System.IO.TextWriter+<g__WriteLineAsyncCore|68_0>d System.IO.TextWriter+<>c System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.UnmanagedMemoryStreamWrapper System.IO.PathInternal System.IO.DisableMediaInsertionPrompt System.IO.DriveInfoInternal System.IO.PathHelper System.IO.Win32Marshal System.IO.Strategies.BufferedFileStreamStrategy System.IO.Strategies.BufferedFileStreamStrategy+d__57 System.IO.Strategies.BufferedFileStreamStrategy+d__27 System.IO.Strategies.BufferedFileStreamStrategy+d__55 System.IO.Strategies.BufferedFileStreamStrategy+d__37 System.IO.Strategies.BufferedFileStreamStrategy+d__36 System.IO.Strategies.BufferedFileStreamStrategy+d__48 System.IO.Strategies.BufferedFileStreamStrategy+d__47 System.IO.Strategies.DerivedFileStreamStrategy System.IO.Strategies.FileStreamHelpers System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable System.IO.Strategies.FileStreamHelpers+AsyncCopyToAwaitable+<>c System.IO.Strategies.FileStreamHelpers+<>c System.IO.Strategies.FileStreamHelpers+d__21 System.IO.Strategies.FileStreamStrategy System.IO.Strategies.OSFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy System.IO.Strategies.AsyncWindowsFileStreamStrategy+d__5 System.IO.Strategies.SyncWindowsFileStreamStrategy System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemEnumerable`1+DelegateEnumerator[TResult] System.IO.Enumeration.FileSystemEnumerableFactory System.IO.Enumeration.FileSystemEnumerableFactory+<>c System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass2_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass3_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass4_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass5_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass6_0 System.IO.Enumeration.FileSystemEnumerableFactory+<>c__DisplayClass7_0 System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.Debugger+CrossThreadDependencyNotification System.Diagnostics.EditAndContinueHelper System.Diagnostics.ICustomDebuggerNotification System.Diagnostics.StackFrame System.Diagnostics.StackFrameHelper System.Diagnostics.StackFrameHelper+GetSourceLineInfoDelegate System.Diagnostics.StackTrace System.Diagnostics.StackTrace+TraceFormat System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DebugProvider+DebugAssertException System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.ActivityTracker System.Diagnostics.Tracing.ActivityTracker+ActivityInfo System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.CounterGroup System.Diagnostics.Tracing.CounterGroup+<>O System.Diagnostics.Tracing.CounterPayload System.Diagnostics.Tracing.CounterPayload+d__51 System.Diagnostics.Tracing.IncrementingCounterPayload System.Diagnostics.Tracing.IncrementingCounterPayload+d__39 System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.CounterPayloadType System.Diagnostics.Tracing.EventDescriptor System.Diagnostics.Tracing.EventPipeEventInstanceData System.Diagnostics.Tracing.EventPipeSessionInfo System.Diagnostics.Tracing.EventPipeProviderConfiguration System.Diagnostics.Tracing.EventPipeSerializationFormat System.Diagnostics.Tracing.EventPipeInternal System.Diagnostics.Tracing.EventPipeInternal+EventPipeProviderConfigurationNative System.Diagnostics.Tracing.EventPipeEventDispatcher System.Diagnostics.Tracing.EventPipeEventDispatcher+EventListenerSubscription System.Diagnostics.Tracing.EventPipeEventDispatcher+<>c__DisplayClass12_0 System.Diagnostics.Tracing.EventPipeEventProvider System.Diagnostics.Tracing.EventPipeMetadataGenerator System.Diagnostics.Tracing.EventParameterInfo System.Diagnostics.Tracing.EventPipePayloadDecoder System.Diagnostics.Tracing.EventProviderType System.Diagnostics.Tracing.ControllerCommand System.Diagnostics.Tracing.EventProvider System.Diagnostics.Tracing.EventProvider+EventData System.Diagnostics.Tracing.EventProvider+WriteEventErrorCode System.Diagnostics.Tracing.EtwEventProvider System.Diagnostics.Tracing.EtwEventProvider+SessionInfo System.Diagnostics.Tracing.EtwEventProvider+SessionInfoCallback System.Diagnostics.Tracing.EtwEventProvider+<>O System.Diagnostics.Tracing.EventProviderImpl System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSource+EventData System.Diagnostics.Tracing.EventSource+OverrideEventProvider System.Diagnostics.Tracing.EventSource+EventMetadata System.Diagnostics.Tracing.EventSource+<>O System.Diagnostics.Tracing.EventSourceInitHelper System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventListener+<>c System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs+MoreEventInfo System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventChannelAttribute System.Diagnostics.Tracing.EventChannelType System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.SessionMask System.Diagnostics.Tracing.EventDispatcher System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.ManifestBuilder System.Diagnostics.Tracing.ManifestBuilder+ChannelInfo System.Diagnostics.Tracing.ManifestBuilder+<>c System.Diagnostics.Tracing.ManifestEnvelope System.Diagnostics.Tracing.ManifestEnvelope+ManifestFormats System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.FrameworkEventSource System.Diagnostics.Tracing.FrameworkEventSource+Keywords System.Diagnostics.Tracing.FrameworkEventSource+Tasks System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingEventCounterPayloadType System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.IncrementingPollingCounterPayloadType System.Diagnostics.Tracing.NativeRuntimeEventSource System.Diagnostics.Tracing.NativeRuntimeEventSource+Messages System.Diagnostics.Tracing.NativeRuntimeEventSource+Tasks System.Diagnostics.Tracing.NativeRuntimeEventSource+Opcodes System.Diagnostics.Tracing.NativeRuntimeEventSource+ContentionFlagsMap System.Diagnostics.Tracing.NativeRuntimeEventSource+ThreadAdjustmentReasonMap System.Diagnostics.Tracing.NativeRuntimeEventSource+WaitHandleWaitSourceMap System.Diagnostics.Tracing.NativeRuntimeEventSource+Keywords System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.PollingPayloadType System.Diagnostics.Tracing.RuntimeEventSource System.Diagnostics.Tracing.RuntimeEventSource+Keywords System.Diagnostics.Tracing.RuntimeEventSource+EventId System.Diagnostics.Tracing.RuntimeEventSource+<>O System.Diagnostics.Tracing.RuntimeEventSource+<>c System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.ArrayTypeInfo System.Diagnostics.Tracing.ConcurrentSet`2[KeyType,ItemType] System.Diagnostics.Tracing.ConcurrentSetItem`2[KeyType,ItemType] System.Diagnostics.Tracing.DataCollector System.Diagnostics.Tracing.EmptyStruct System.Diagnostics.Tracing.EnumerableTypeInfo System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventPayload System.Diagnostics.Tracing.EventPayload+d__17 System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.FieldMetadata System.Diagnostics.Tracing.InvokeTypeInfo System.Diagnostics.Tracing.NameInfo System.Diagnostics.Tracing.PropertyAnalysis System.Diagnostics.Tracing.PropertyValue System.Diagnostics.Tracing.PropertyValue+Scalar System.Diagnostics.Tracing.PropertyValue+TypeHelper System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_0[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_1[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_10[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_11[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_12[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_13[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_14[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_15[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_16[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_17[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_18[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_19[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_2[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_20[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_3[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_4[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_5[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_6[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_7[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_8[TContainer] System.Diagnostics.Tracing.PropertyValue+ReferenceTypeHelper`1+<>c__DisplayClass1_9[TContainer] System.Diagnostics.Tracing.PropertyValue+<>c System.Diagnostics.Tracing.PropertyValue+<>c__DisplayClass33_0 System.Diagnostics.Tracing.SimpleEventTypes`1[T] System.Diagnostics.Tracing.NullTypeInfo System.Diagnostics.Tracing.ScalarTypeInfo System.Diagnostics.Tracing.ScalarArrayTypeInfo System.Diagnostics.Tracing.StringTypeInfo System.Diagnostics.Tracing.DateTimeTypeInfo System.Diagnostics.Tracing.DateTimeOffsetTypeInfo System.Diagnostics.Tracing.TimeSpanTypeInfo System.Diagnostics.Tracing.DecimalTypeInfo System.Diagnostics.Tracing.NullableTypeInfo System.Diagnostics.Tracing.Statics System.Diagnostics.Tracing.Statics+<>O System.Diagnostics.Tracing.TraceLoggingDataCollector System.Diagnostics.Tracing.TraceLoggingDataType System.Diagnostics.Tracing.TraceLoggingEventHandleTable System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.TraceLoggingEventTypes System.Diagnostics.Tracing.TraceLoggingMetadataCollector System.Diagnostics.Tracing.TraceLoggingMetadataCollector+Impl System.Diagnostics.Tracing.TraceLoggingTypeInfo System.Diagnostics.Tracing.TypeAnalysis System.Diagnostics.Tracing.RuntimeEventSourceHelper System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.EmptyReadOnlyDictionaryInternal System.Collections.EmptyReadOnlyDictionaryInternal+NodeEnumerator System.Collections.ArrayList System.Collections.ArrayList+IListWrapper System.Collections.ArrayList+IListWrapper+IListWrapperEnumWrapper System.Collections.ArrayList+SyncArrayList System.Collections.ArrayList+SyncIList System.Collections.ArrayList+FixedSizeList System.Collections.ArrayList+FixedSizeArrayList System.Collections.ArrayList+ReadOnlyList System.Collections.ArrayList+ReadOnlyArrayList System.Collections.ArrayList+ArrayListEnumerator System.Collections.ArrayList+Range System.Collections.ArrayList+ArrayListEnumeratorSimple System.Collections.ArrayList+ArrayListDebugView System.Collections.Comparer System.Collections.CompatibleComparer System.Collections.DictionaryEntry System.Collections.HashHelpers System.Collections.Hashtable System.Collections.Hashtable+Bucket System.Collections.Hashtable+KeyCollection System.Collections.Hashtable+ValueCollection System.Collections.Hashtable+SyncHashtable System.Collections.Hashtable+HashtableEnumerator System.Collections.Hashtable+HashtableDebugView System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal+NodeEnumerator System.Collections.ListDictionaryInternal+NodeKeyValueCollection System.Collections.ListDictionaryInternal+NodeKeyValueCollection+NodeKeyValueEnumerator System.Collections.ListDictionaryInternal+DictionaryNode System.Collections.ListDictionaryInternal+ListDictionaryInternalDebugView System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.CollectionHelpers System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+DictionaryEnumerator[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.ConcurrentQueue`1+d__26[T] System.Collections.Concurrent.ConcurrentQueueSegment`1[T] System.Collections.Concurrent.ConcurrentQueueSegment`1+Slot[T] System.Collections.Concurrent.PaddedHeadAndTail System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Concurrent.IProducerConsumerCollectionDebugView`1[T] System.Collections.Concurrent.IProducerConsumerQueue`1[T] System.Collections.Concurrent.MultiProducerMultiConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+Segment[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SegmentState[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+SingleProducerSingleConsumerQueue_DebugView[T] System.Collections.Concurrent.SingleProducerSingleConsumerQueue`1+d__15[T] System.Collections.Generic.IArraySortHelper`1[TKey] System.Collections.Generic.ArraySortHelper`1[T] System.Collections.Generic.GenericArraySortHelper`1[T] System.Collections.Generic.IArraySortHelper`2[TKey,TValue] System.Collections.Generic.ArraySortHelper`2[TKey,TValue] System.Collections.Generic.GenericArraySortHelper`2[TKey,TValue] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EnumComparer`1[T] System.Collections.Generic.ComparerHelpers System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.EqualityComparer`1+<>c[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.ArrayBuilder`1[T] System.Collections.Generic.SortUtils System.Collections.Generic.CollectionExtensions System.Collections.Generic.ComparisonComparer`1[T] System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+CollectionsMarshalHelper[TKey,TValue] System.Collections.Generic.Dictionary`2+Entry[TKey,TValue] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.DebugViewDictionaryItem`2[TKey,TValue] System.Collections.Generic.DelegateEqualityComparer`1[T] System.Collections.Generic.StringEqualityComparer System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Entry[T] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.HashSetEqualityComparer`1[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.ICollectionDebugView`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IDictionaryDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryKeyCollectionDebugView`2[TKey,TValue] System.Collections.Generic.DictionaryValueCollectionDebugView`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IInternalStringEqualityComparer System.Collections.Generic.IList`1[T] System.Collections.Generic.InsertionBehavior System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.QueueDebugView`1[T] System.Collections.Generic.RandomizedStringEqualityComparer System.Collections.Generic.RandomizedStringEqualityComparer+MarvinSeed System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.RandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalComparer System.Collections.Generic.NonRandomizedStringEqualityComparer+OrdinalIgnoreCaseComparer System.Collections.Generic.ValueListBuilder`1[T] System.Collections.Generic.EnumerableHelpers System.Collections.Generic.BitHelper Internal.Console Internal.Console+Error Internal.PaddingFor32 Internal.PaddedReference Internal.Win32.RegistryKey Internal.Win32.Registry Internal.Win32.SafeHandles.SafeRegistryHandle Internal.Runtime.InteropServices.ComActivationContextInternal Internal.Runtime.InteropServices.ComponentActivator Internal.Runtime.InteropServices.ComponentActivator+ComponentEntryPoint Internal.Runtime.InteropServices.ComponentActivator+<>c__DisplayClass15_0 Internal.Runtime.InteropServices.LICINFO Internal.Runtime.InteropServices.IClassFactory Internal.Runtime.InteropServices.IClassFactory2 Internal.Runtime.InteropServices.ComActivationContext Internal.Runtime.InteropServices.ComActivator Internal.Runtime.InteropServices.ComActivator+BasicClassFactory Internal.Runtime.InteropServices.ComActivator+LicenseClassFactory Internal.Runtime.InteropServices.ComActivator+<>c__DisplayClass16_0 Internal.Runtime.InteropServices.LicenseInteropProxy Internal.Runtime.InteropServices.InMemoryAssemblyLoader Internal.Runtime.InteropServices.InMemoryAssemblyLoader+<>c__DisplayClass7_0 Internal.Runtime.InteropServices.IsolatedComponentLoadContext Internal.Runtime.CompilerHelpers.ThrowHelpers +__StaticArrayInitTypeSize=3 +__StaticArrayInitTypeSize=5 +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=16_Align=2 +__StaticArrayInitTypeSize=16_Align=4 +__StaticArrayInitTypeSize=17 +__StaticArrayInitTypeSize=21 +__StaticArrayInitTypeSize=24_Align=8 +__StaticArrayInitTypeSize=28_Align=2 +__StaticArrayInitTypeSize=28_Align=4 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=32_Align=4 +__StaticArrayInitTypeSize=32_Align=8 +__StaticArrayInitTypeSize=33 +__StaticArrayInitTypeSize=34 +__StaticArrayInitTypeSize=36_Align=4 +__StaticArrayInitTypeSize=38 +__StaticArrayInitTypeSize=40 +__StaticArrayInitTypeSize=40_Align=4 +__StaticArrayInitTypeSize=48_Align=4 +__StaticArrayInitTypeSize=51 +__StaticArrayInitTypeSize=52_Align=4 +__StaticArrayInitTypeSize=64 +__StaticArrayInitTypeSize=64_Align=4 +__StaticArrayInitTypeSize=64_Align=8 +__StaticArrayInitTypeSize=65 +__StaticArrayInitTypeSize=66 +__StaticArrayInitTypeSize=70 +__StaticArrayInitTypeSize=72 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=76_Align=4 +__StaticArrayInitTypeSize=82 +__StaticArrayInitTypeSize=84_Align=2 +__StaticArrayInitTypeSize=88_Align=8 +__StaticArrayInitTypeSize=98 +__StaticArrayInitTypeSize=128 +__StaticArrayInitTypeSize=128_Align=8 +__StaticArrayInitTypeSize=152_Align=8 +__StaticArrayInitTypeSize=168_Align=8 +__StaticArrayInitTypeSize=170 +__StaticArrayInitTypeSize=172_Align=4 +__StaticArrayInitTypeSize=174_Align=2 +__StaticArrayInitTypeSize=177 +__StaticArrayInitTypeSize=184_Align=8 +__StaticArrayInitTypeSize=201 +__StaticArrayInitTypeSize=233 +__StaticArrayInitTypeSize=256 +__StaticArrayInitTypeSize=256_Align=8 +__StaticArrayInitTypeSize=288_Align=4 +__StaticArrayInitTypeSize=466 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=512_Align=4 +__StaticArrayInitTypeSize=648_Align=8 +__StaticArrayInitTypeSize=696_Align=8 +__StaticArrayInitTypeSize=936_Align=4 +__StaticArrayInitTypeSize=1208_Align=2 +__StaticArrayInitTypeSize=1316 +__StaticArrayInitTypeSize=1416 +__StaticArrayInitTypeSize=1440 +__StaticArrayInitTypeSize=1472_Align=2 +__StaticArrayInitTypeSize=1728 +__StaticArrayInitTypeSize=2176 +__StaticArrayInitTypeSize=2224 +__StaticArrayInitTypeSize=2530 +__StaticArrayInitTypeSize=2593 +__StaticArrayInitTypeSize=3200 +__StaticArrayInitTypeSize=3389 +__StaticArrayInitTypeSize=5056 +__StaticArrayInitTypeSize=6256 +__StaticArrayInitTypeSize=6592 +__StaticArrayInitTypeSize=10416_Align=8 +__StaticArrayInitTypeSize=12144 +__StaticArrayInitTypeSize=15552 +__StaticArrayInitTypeSize=18128 <>y__InlineArray2`1[T] <>y__InlineArray3`1[T] <>y__InlineArray4`1[T]", + "IsCollectible": false, + "ManifestModule": "System.Private.CoreLib.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid Microsoft.Win32.SafeHandles.SafeFileHandle Microsoft.Win32.SafeHandles.SafeWaitHandle System.ArgIterator System.Array System.Attribute System.BadImageFormatException System.Buffer System.Decimal System.Delegate System.Delegate+InvocationListEnumerator`1[TDelegate] System.Enum System.Environment System.Environment+ProcessCpuUsage System.Environment+SpecialFolder System.Environment+SpecialFolderOption System.Exception System.GCCollectionMode System.GCNotificationStatus System.GC System.Math System.MathF System.MulticastDelegate System.Object System.RuntimeArgumentHandle System.RuntimeTypeHandle System.RuntimeMethodHandle System.RuntimeFieldHandle System.ModuleHandle System.String System.Type System.TypedReference System.TypeLoadException System.ValueType System.AccessViolationException System.Action System.Action`1[T] System.Action`2[T1,T2] System.Action`3[T1,T2,T3] System.Action`4[T1,T2,T3,T4] System.Action`5[T1,T2,T3,T4,T5] System.Action`6[T1,T2,T3,T4,T5,T6] System.Action`7[T1,T2,T3,T4,T5,T6,T7] System.Action`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Action`9[T1,T2,T3,T4,T5,T6,T7,T8,T9] System.Action`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10] System.Action`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11] System.Action`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12] System.Action`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13] System.Action`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14] System.Action`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Action`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Comparison`1[T] System.Converter`2[TInput,TOutput] System.Predicate`1[T] System.Activator System.AggregateException System.AppContext System.AppDomain System.AppDomainSetup System.AppDomainUnloadedException System.ApplicationException System.ApplicationId System.ArgumentException System.ArgumentNullException System.ArgumentOutOfRangeException System.ArithmeticException System.ArraySegment`1[T] System.ArraySegment`1+Enumerator[T] System.ArrayTypeMismatchException System.AssemblyLoadEventArgs System.AssemblyLoadEventHandler System.AsyncCallback System.AttributeTargets System.AttributeUsageAttribute System.BitConverter System.Boolean System.Byte System.CannotUnloadAppDomainException System.Char System.CharEnumerator System.CLSCompliantAttribute System.ContextBoundObject System.ContextMarshalException System.ContextStaticAttribute System.Convert System.Base64FormattingOptions System.DataMisalignedException System.DateOnly System.DateTime System.DateTimeKind System.DateTimeOffset System.DayOfWeek System.DBNull System.DivideByZeroException System.DllNotFoundException System.Double System.DuplicateWaitObjectException System.EntryPointNotFoundException System.EnvironmentVariableTarget System.EventArgs System.EventHandler System.EventHandler`1[TEventArgs] System.ExecutionEngineException System.FieldAccessException System.FlagsAttribute System.FormatException System.FormattableString System.Func`1[TResult] System.Func`2[T,TResult] System.Func`3[T1,T2,TResult] System.Func`4[T1,T2,T3,TResult] System.Func`5[T1,T2,T3,T4,TResult] System.Func`6[T1,T2,T3,T4,T5,TResult] System.Func`7[T1,T2,T3,T4,T5,T6,TResult] System.Func`8[T1,T2,T3,T4,T5,T6,T7,TResult] System.Func`9[T1,T2,T3,T4,T5,T6,T7,T8,TResult] System.Func`10[T1,T2,T3,T4,T5,T6,T7,T8,T9,TResult] System.Func`11[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TResult] System.Func`12[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TResult] System.Func`13[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TResult] System.Func`14[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TResult] System.Func`15[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TResult] System.Func`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,TResult] System.Func`17[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,TResult] System.GCGenerationInfo System.GCKind System.GCMemoryInfo System.Guid System.Half System.HashCode System.IAsyncDisposable System.IAsyncResult System.ICloneable System.IComparable System.IComparable`1[T] System.IConvertible System.ICustomFormatter System.IDisposable System.IEquatable`1[T] System.IFormatProvider System.IFormattable System.Index System.IndexOutOfRangeException System.InsufficientExecutionStackException System.InsufficientMemoryException System.Int16 System.Int32 System.Int64 System.Int128 System.IntPtr System.InvalidCastException System.InvalidOperationException System.InvalidProgramException System.InvalidTimeZoneException System.IObservable`1[T] System.IObserver`1[T] System.IProgress`1[T] System.ISpanFormattable System.IUtf8SpanFormattable System.IUtf8SpanParsable`1[TSelf] System.Lazy`1[T] System.Lazy`2[T,TMetadata] System.LoaderOptimization System.LoaderOptimizationAttribute System.LocalDataStoreSlot System.MarshalByRefObject System.MemberAccessException System.Memory`1[T] System.MemoryExtensions System.MemoryExtensions+SpanSplitEnumerator`1[T] System.MemoryExtensions+TryWriteInterpolatedStringHandler System.MethodAccessException System.MidpointRounding System.MissingFieldException System.MissingMemberException System.MissingMethodException System.MulticastNotSupportedException System.NonSerializedAttribute System.NotFiniteNumberException System.NotImplementedException System.NotSupportedException System.Nullable`1[T] System.Nullable System.NullReferenceException System.ObjectDisposedException System.ObsoleteAttribute System.OperatingSystem System.OperationCanceledException System.OutOfMemoryException System.OverflowException System.ParamArrayAttribute System.PlatformID System.PlatformNotSupportedException System.Progress`1[T] System.Random System.Range System.RankException System.ReadOnlyMemory`1[T] System.ReadOnlySpan`1[T] System.ReadOnlySpan`1+Enumerator[T] System.ResolveEventArgs System.ResolveEventHandler System.SByte System.SerializableAttribute System.Single System.Span`1[T] System.Span`1+Enumerator[T] System.StackOverflowException System.StringComparer System.CultureAwareComparer System.OrdinalComparer System.StringComparison System.StringNormalizationExtensions System.StringSplitOptions System.SystemException System.STAThreadAttribute System.MTAThreadAttribute System.ThreadStaticAttribute System.TimeOnly System.TimeoutException System.TimeSpan System.TimeZone System.TimeZoneInfo System.TimeZoneInfo+AdjustmentRule System.TimeZoneInfo+TransitionTime System.TimeZoneNotFoundException System.Tuple System.Tuple`1[T1] System.Tuple`2[T1,T2] System.Tuple`3[T1,T2,T3] System.Tuple`4[T1,T2,T3,T4] System.Tuple`5[T1,T2,T3,T4,T5] System.Tuple`6[T1,T2,T3,T4,T5,T6] System.Tuple`7[T1,T2,T3,T4,T5,T6,T7] System.Tuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.TupleExtensions System.TypeAccessException System.TypeCode System.TypeInitializationException System.TypeUnloadedException System.UInt16 System.UInt32 System.UInt64 System.UInt128 System.UIntPtr System.UnauthorizedAccessException System.UnhandledExceptionEventArgs System.UnhandledExceptionEventHandler System.UnitySerializationHolder System.ValueTuple System.ValueTuple`1[T1] System.ValueTuple`2[T1,T2] System.ValueTuple`3[T1,T2,T3] System.ValueTuple`4[T1,T2,T3,T4] System.ValueTuple`5[T1,T2,T3,T4,T5] System.ValueTuple`6[T1,T2,T3,T4,T5,T6] System.ValueTuple`7[T1,T2,T3,T4,T5,T6,T7] System.ValueTuple`8[T1,T2,T3,T4,T5,T6,T7,TRest] System.Version System.Void System.WeakReference System.WeakReference`1[T] System.TimeProvider System.IParsable`1[TSelf] System.ISpanParsable`1[TSelf] System.Security.AllowPartiallyTrustedCallersAttribute System.Security.IPermission System.Security.ISecurityEncodable System.Security.IStackWalk System.Security.PartialTrustVisibilityLevel System.Security.PermissionSet System.Security.SecureString System.Security.SecurityCriticalAttribute System.Security.SecurityCriticalScope System.Security.SecurityElement System.Security.SecurityException System.Security.SecurityRulesAttribute System.Security.SecurityRuleSet System.Security.SecuritySafeCriticalAttribute System.Security.SecurityTransparentAttribute System.Security.SecurityTreatAsSafeAttribute System.Security.SuppressUnmanagedCodeSecurityAttribute System.Security.UnverifiableCodeAttribute System.Security.VerificationException System.Security.Principal.IIdentity System.Security.Principal.IPrincipal System.Security.Principal.PrincipalPolicy System.Security.Principal.TokenImpersonationLevel System.Security.Permissions.CodeAccessSecurityAttribute System.Security.Permissions.PermissionState System.Security.Permissions.SecurityAction System.Security.Permissions.SecurityAttribute System.Security.Permissions.SecurityPermissionAttribute System.Security.Permissions.SecurityPermissionFlag System.Security.Cryptography.CryptographicException System.Resources.IResourceReader System.Resources.MissingManifestResourceException System.Resources.MissingSatelliteAssemblyException System.Resources.NeutralResourcesLanguageAttribute System.Resources.ResourceManager System.Resources.ResourceReader System.Resources.ResourceSet System.Resources.SatelliteContractVersionAttribute System.Resources.UltimateResourceFallbackLocation System.Numerics.BitOperations System.Numerics.Matrix3x2 System.Numerics.Matrix4x4 System.Numerics.Plane System.Numerics.Vector System.Numerics.Quaternion System.Numerics.TotalOrderIeee754Comparer`1[T] System.Numerics.Vector`1[T] System.Numerics.Vector2 System.Numerics.Vector3 System.Numerics.Vector4 System.Numerics.IAdditionOperators`3[TSelf,TOther,TResult] System.Numerics.IAdditiveIdentity`2[TSelf,TResult] System.Numerics.IBinaryFloatingPointIeee754`1[TSelf] System.Numerics.IBinaryInteger`1[TSelf] System.Numerics.IBinaryNumber`1[TSelf] System.Numerics.IBitwiseOperators`3[TSelf,TOther,TResult] System.Numerics.IComparisonOperators`3[TSelf,TOther,TResult] System.Numerics.IDecrementOperators`1[TSelf] System.Numerics.IDivisionOperators`3[TSelf,TOther,TResult] System.Numerics.IEqualityOperators`3[TSelf,TOther,TResult] System.Numerics.IExponentialFunctions`1[TSelf] System.Numerics.IFloatingPoint`1[TSelf] System.Numerics.IFloatingPointConstants`1[TSelf] System.Numerics.IFloatingPointIeee754`1[TSelf] System.Numerics.IHyperbolicFunctions`1[TSelf] System.Numerics.IIncrementOperators`1[TSelf] System.Numerics.ILogarithmicFunctions`1[TSelf] System.Numerics.IMinMaxValue`1[TSelf] System.Numerics.IModulusOperators`3[TSelf,TOther,TResult] System.Numerics.IMultiplicativeIdentity`2[TSelf,TResult] System.Numerics.IMultiplyOperators`3[TSelf,TOther,TResult] System.Numerics.INumber`1[TSelf] System.Numerics.INumberBase`1[TSelf] System.Numerics.IPowerFunctions`1[TSelf] System.Numerics.IRootFunctions`1[TSelf] System.Numerics.IShiftOperators`3[TSelf,TOther,TResult] System.Numerics.ISignedNumber`1[TSelf] System.Numerics.ISubtractionOperators`3[TSelf,TOther,TResult] System.Numerics.ITrigonometricFunctions`1[TSelf] System.Numerics.IUnaryNegationOperators`2[TSelf,TResult] System.Numerics.IUnaryPlusOperators`2[TSelf,TResult] System.Numerics.IUnsignedNumber`1[TSelf] System.Net.WebUtility System.Globalization.Calendar System.Globalization.CalendarAlgorithmType System.Globalization.CalendarWeekRule System.Globalization.CharUnicodeInfo System.Globalization.ChineseLunisolarCalendar System.Globalization.CompareInfo System.Globalization.CompareOptions System.Globalization.CultureInfo System.Globalization.CultureNotFoundException System.Globalization.CultureTypes System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeStyles System.Globalization.DaylightTime System.Globalization.DigitShapes System.Globalization.EastAsianLunisolarCalendar System.Globalization.GlobalizationExtensions System.Globalization.GregorianCalendar System.Globalization.GregorianCalendarTypes System.Globalization.HebrewCalendar System.Globalization.HijriCalendar System.Globalization.IdnMapping System.Globalization.ISOWeek System.Globalization.JapaneseCalendar System.Globalization.JapaneseLunisolarCalendar System.Globalization.JulianCalendar System.Globalization.KoreanCalendar System.Globalization.KoreanLunisolarCalendar System.Globalization.NumberFormatInfo System.Globalization.NumberStyles System.Globalization.PersianCalendar System.Globalization.RegionInfo System.Globalization.SortKey System.Globalization.SortVersion System.Globalization.StringInfo System.Globalization.TaiwanCalendar System.Globalization.TaiwanLunisolarCalendar System.Globalization.TextElementEnumerator System.Globalization.TextInfo System.Globalization.ThaiBuddhistCalendar System.Globalization.TimeSpanStyles System.Globalization.UmAlQuraCalendar System.Globalization.UnicodeCategory System.Configuration.Assemblies.AssemblyHashAlgorithm System.Configuration.Assemblies.AssemblyVersionCompatibility System.ComponentModel.DefaultValueAttribute System.ComponentModel.EditorBrowsableAttribute System.ComponentModel.EditorBrowsableState System.ComponentModel.Win32Exception System.CodeDom.Compiler.GeneratedCodeAttribute System.CodeDom.Compiler.IndentedTextWriter System.Buffers.SpanAction`2[T,TArg] System.Buffers.ReadOnlySpanAction`2[T,TArg] System.Buffers.ArrayPool`1[T] System.Buffers.IMemoryOwner`1[T] System.Buffers.IPinnable System.Buffers.MemoryHandle System.Buffers.MemoryManager`1[T] System.Buffers.OperationStatus System.Buffers.StandardFormat System.Buffers.SearchValues System.Buffers.SearchValues`1[T] System.Buffers.Text.Base64 System.Buffers.Text.Base64Url System.Buffers.Text.Utf8Formatter System.Buffers.Text.Utf8Parser System.Buffers.Binary.BinaryPrimitives System.Threading.Interlocked System.Threading.Monitor System.Threading.SynchronizationContext System.Threading.Thread System.Threading.ThreadPool System.Threading.WaitHandle System.Threading.AbandonedMutexException System.Threading.ApartmentState System.Threading.AsyncLocal`1[T] System.Threading.AsyncLocalValueChangedArgs`1[T] System.Threading.AutoResetEvent System.Threading.CancellationToken System.Threading.CancellationTokenRegistration System.Threading.CancellationTokenSource System.Threading.CompressedStack System.Threading.EventResetMode System.Threading.EventWaitHandle System.Threading.ContextCallback System.Threading.ExecutionContext System.Threading.AsyncFlowControl System.Threading.IOCompletionCallback System.Threading.IThreadPoolWorkItem System.Threading.LazyInitializer System.Threading.LazyThreadSafetyMode System.Threading.Lock System.Threading.Lock+Scope System.Threading.LockRecursionException System.Threading.ManualResetEvent System.Threading.ManualResetEventSlim System.Threading.Mutex System.Threading.NativeOverlapped System.Threading.Overlapped System.Threading.ParameterizedThreadStart System.Threading.LockRecursionPolicy System.Threading.ReaderWriterLockSlim System.Threading.Semaphore System.Threading.SemaphoreFullException System.Threading.SemaphoreSlim System.Threading.SendOrPostCallback System.Threading.SpinLock System.Threading.SpinWait System.Threading.SynchronizationLockException System.Threading.ThreadAbortException System.Threading.ThreadExceptionEventArgs System.Threading.ThreadExceptionEventHandler System.Threading.ThreadInterruptedException System.Threading.ThreadLocal`1[T] System.Threading.WaitCallback System.Threading.WaitOrTimerCallback System.Threading.ThreadPriority System.Threading.ThreadStart System.Threading.ThreadStartException System.Threading.ThreadState System.Threading.ThreadStateException System.Threading.Timeout System.Threading.PeriodicTimer System.Threading.TimerCallback System.Threading.Timer System.Threading.Volatile System.Threading.WaitHandleCannotBeOpenedException System.Threading.WaitHandleExtensions System.Threading.ITimer System.Threading.RegisteredWaitHandle System.Threading.ThreadPoolBoundHandle System.Threading.PreAllocatedOverlapped System.Threading.Tasks.ConcurrentExclusiveSchedulerPair System.Threading.Tasks.ConfigureAwaitOptions System.Threading.Tasks.Task`1[TResult] System.Threading.Tasks.TaskFactory`1[TResult] System.Threading.Tasks.TaskStatus System.Threading.Tasks.Task System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.TaskAsyncEnumerableExtensions System.Threading.Tasks.TaskCanceledException System.Threading.Tasks.TaskCompletionSource System.Threading.Tasks.TaskCompletionSource`1[TResult] System.Threading.Tasks.TaskExtensions System.Threading.Tasks.TaskFactory System.Threading.Tasks.TaskScheduler System.Threading.Tasks.UnobservedTaskExceptionEventArgs System.Threading.Tasks.TaskSchedulerException System.Threading.Tasks.ValueTask System.Threading.Tasks.ValueTask`1[TResult] System.Threading.Tasks.TaskToAsyncResult System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags System.Threading.Tasks.Sources.ValueTaskSourceStatus System.Threading.Tasks.Sources.IValueTaskSource System.Threading.Tasks.Sources.IValueTaskSource`1[TResult] System.Threading.Tasks.Sources.ManualResetValueTaskSourceCore`1[TResult] System.Text.StringBuilder System.Text.StringBuilder+ChunkEnumerator System.Text.StringBuilder+AppendInterpolatedStringHandler System.Text.Ascii System.Text.ASCIIEncoding System.Text.CompositeFormat System.Text.Decoder System.Text.DecoderExceptionFallback System.Text.DecoderExceptionFallbackBuffer System.Text.DecoderFallbackException System.Text.DecoderFallback System.Text.DecoderFallbackBuffer System.Text.DecoderReplacementFallback System.Text.DecoderReplacementFallbackBuffer System.Text.Encoder System.Text.EncoderExceptionFallback System.Text.EncoderExceptionFallbackBuffer System.Text.EncoderFallbackException System.Text.EncoderFallback System.Text.EncoderFallbackBuffer System.Text.EncoderReplacementFallback System.Text.EncoderReplacementFallbackBuffer System.Text.Encoding System.Text.EncodingInfo System.Text.EncodingProvider System.Text.NormalizationForm System.Text.Rune System.Text.SpanLineEnumerator System.Text.SpanRuneEnumerator System.Text.StringRuneEnumerator System.Text.UnicodeEncoding System.Text.UTF32Encoding System.Text.UTF7Encoding System.Text.UTF8Encoding System.Text.Unicode.Utf8 System.Text.Unicode.Utf8+TryWriteInterpolatedStringHandler System.Runtime.ControlledExecution System.Runtime.DependentHandle System.Runtime.GCSettings System.Runtime.JitInfo System.Runtime.AmbiguousImplementationException System.Runtime.GCLargeObjectHeapCompactionMode System.Runtime.GCLatencyMode System.Runtime.MemoryFailPoint System.Runtime.AssemblyTargetedPatchBandAttribute System.Runtime.TargetedPatchingOptOutAttribute System.Runtime.ProfileOptimization System.Runtime.Versioning.ComponentGuaranteesAttribute System.Runtime.Versioning.ComponentGuaranteesOptions System.Runtime.Versioning.FrameworkName System.Runtime.Versioning.OSPlatformAttribute System.Runtime.Versioning.TargetPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformAttribute System.Runtime.Versioning.UnsupportedOSPlatformAttribute System.Runtime.Versioning.ObsoletedOSPlatformAttribute System.Runtime.Versioning.SupportedOSPlatformGuardAttribute System.Runtime.Versioning.UnsupportedOSPlatformGuardAttribute System.Runtime.Versioning.RequiresPreviewFeaturesAttribute System.Runtime.Versioning.ResourceConsumptionAttribute System.Runtime.Versioning.ResourceExposureAttribute System.Runtime.Versioning.ResourceScope System.Runtime.Versioning.TargetFrameworkAttribute System.Runtime.Versioning.VersioningHelper System.Runtime.Serialization.DeserializationToken System.Runtime.Serialization.IDeserializationCallback System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.IObjectReference System.Runtime.Serialization.ISafeSerializationData System.Runtime.Serialization.ISerializable System.Runtime.Serialization.OnDeserializedAttribute System.Runtime.Serialization.OnDeserializingAttribute System.Runtime.Serialization.OnSerializedAttribute System.Runtime.Serialization.OnSerializingAttribute System.Runtime.Serialization.OptionalFieldAttribute System.Runtime.Serialization.SafeSerializationEventArgs System.Runtime.Serialization.SerializationException System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SerializationEntry System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.StreamingContextStates System.Runtime.Remoting.ObjectHandle System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.CriticalFinalizerObject System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute System.Runtime.ConstrainedExecution.ReliabilityContractAttribute System.Runtime.Loader.AssemblyLoadContext System.Runtime.Loader.AssemblyLoadContext+ContextualReflectionScope System.Runtime.Loader.AssemblyDependencyResolver System.Runtime.Intrinsics.Vector128 System.Runtime.Intrinsics.Vector128`1[T] System.Runtime.Intrinsics.Vector256 System.Runtime.Intrinsics.Vector256`1[T] System.Runtime.Intrinsics.Vector512 System.Runtime.Intrinsics.Vector512`1[T] System.Runtime.Intrinsics.Vector64 System.Runtime.Intrinsics.Vector64`1[T] System.Runtime.Intrinsics.Wasm.PackedSimd System.Runtime.Intrinsics.Arm.SveMaskPattern System.Runtime.Intrinsics.Arm.SvePrefetchType System.Runtime.Intrinsics.Arm.AdvSimd System.Runtime.Intrinsics.Arm.AdvSimd+Arm64 System.Runtime.Intrinsics.Arm.Aes System.Runtime.Intrinsics.Arm.Aes+Arm64 System.Runtime.Intrinsics.Arm.ArmBase System.Runtime.Intrinsics.Arm.ArmBase+Arm64 System.Runtime.Intrinsics.Arm.Crc32 System.Runtime.Intrinsics.Arm.Crc32+Arm64 System.Runtime.Intrinsics.Arm.Dp System.Runtime.Intrinsics.Arm.Dp+Arm64 System.Runtime.Intrinsics.Arm.Rdm System.Runtime.Intrinsics.Arm.Rdm+Arm64 System.Runtime.Intrinsics.Arm.Sha1 System.Runtime.Intrinsics.Arm.Sha1+Arm64 System.Runtime.Intrinsics.Arm.Sha256 System.Runtime.Intrinsics.Arm.Sha256+Arm64 System.Runtime.Intrinsics.Arm.Sve System.Runtime.Intrinsics.Arm.Sve+Arm64 System.Runtime.Intrinsics.X86.X86Base System.Runtime.Intrinsics.X86.X86Base+X64 System.Runtime.Intrinsics.X86.FloatComparisonMode System.Runtime.Intrinsics.X86.FloatRoundingMode System.Runtime.Intrinsics.X86.Aes System.Runtime.Intrinsics.X86.Aes+X64 System.Runtime.Intrinsics.X86.Avx System.Runtime.Intrinsics.X86.Avx+X64 System.Runtime.Intrinsics.X86.Avx2 System.Runtime.Intrinsics.X86.Avx2+X64 System.Runtime.Intrinsics.X86.Avx10v1 System.Runtime.Intrinsics.X86.Avx10v1+X64 System.Runtime.Intrinsics.X86.Avx10v1+V512 System.Runtime.Intrinsics.X86.Avx10v1+V512+X64 System.Runtime.Intrinsics.X86.Avx512BW System.Runtime.Intrinsics.X86.Avx512BW+VL System.Runtime.Intrinsics.X86.Avx512BW+X64 System.Runtime.Intrinsics.X86.Avx512CD System.Runtime.Intrinsics.X86.Avx512CD+VL System.Runtime.Intrinsics.X86.Avx512CD+X64 System.Runtime.Intrinsics.X86.Avx512DQ System.Runtime.Intrinsics.X86.Avx512DQ+VL System.Runtime.Intrinsics.X86.Avx512DQ+X64 System.Runtime.Intrinsics.X86.Avx512F System.Runtime.Intrinsics.X86.Avx512F+VL System.Runtime.Intrinsics.X86.Avx512F+X64 System.Runtime.Intrinsics.X86.Avx512Vbmi System.Runtime.Intrinsics.X86.Avx512Vbmi+VL System.Runtime.Intrinsics.X86.Avx512Vbmi+X64 System.Runtime.Intrinsics.X86.AvxVnni System.Runtime.Intrinsics.X86.AvxVnni+X64 System.Runtime.Intrinsics.X86.Bmi1 System.Runtime.Intrinsics.X86.Bmi1+X64 System.Runtime.Intrinsics.X86.Bmi2 System.Runtime.Intrinsics.X86.Bmi2+X64 System.Runtime.Intrinsics.X86.Fma System.Runtime.Intrinsics.X86.Fma+X64 System.Runtime.Intrinsics.X86.Lzcnt System.Runtime.Intrinsics.X86.Lzcnt+X64 System.Runtime.Intrinsics.X86.Pclmulqdq System.Runtime.Intrinsics.X86.Pclmulqdq+X64 System.Runtime.Intrinsics.X86.Popcnt System.Runtime.Intrinsics.X86.Popcnt+X64 System.Runtime.Intrinsics.X86.Sse System.Runtime.Intrinsics.X86.Sse+X64 System.Runtime.Intrinsics.X86.Sse2 System.Runtime.Intrinsics.X86.Sse2+X64 System.Runtime.Intrinsics.X86.Sse3 System.Runtime.Intrinsics.X86.Sse3+X64 System.Runtime.Intrinsics.X86.Sse41 System.Runtime.Intrinsics.X86.Sse41+X64 System.Runtime.Intrinsics.X86.Sse42 System.Runtime.Intrinsics.X86.Sse42+X64 System.Runtime.Intrinsics.X86.Ssse3 System.Runtime.Intrinsics.X86.Ssse3+X64 System.Runtime.Intrinsics.X86.X86Serialize System.Runtime.Intrinsics.X86.X86Serialize+X64 System.Runtime.InteropServices.GCHandle System.Runtime.InteropServices.Marshal System.Runtime.InteropServices.MemoryMarshal System.Runtime.InteropServices.NativeLibrary System.Runtime.InteropServices.ComWrappers System.Runtime.InteropServices.ComWrappers+ComInterfaceDispatch System.Runtime.InteropServices.ComWrappers+ComInterfaceEntry System.Runtime.InteropServices.ComEventsHelper System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute System.Runtime.InteropServices.Architecture System.Runtime.InteropServices.ArrayWithOffset System.Runtime.InteropServices.BestFitMappingAttribute System.Runtime.InteropServices.BStrWrapper System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.ClassInterfaceAttribute System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CoClassAttribute System.Runtime.InteropServices.CollectionsMarshal System.Runtime.InteropServices.ComDefaultInterfaceAttribute System.Runtime.InteropServices.ComEventInterfaceAttribute System.Runtime.InteropServices.COMException System.Runtime.InteropServices.ComImportAttribute System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.ComMemberType System.Runtime.InteropServices.ComSourceInterfacesAttribute System.Runtime.InteropServices.ComVisibleAttribute System.Runtime.InteropServices.CreateComInterfaceFlags System.Runtime.InteropServices.CreateObjectFlags System.Runtime.InteropServices.CriticalHandle System.Runtime.InteropServices.CULong System.Runtime.InteropServices.CurrencyWrapper System.Runtime.InteropServices.CustomQueryInterfaceMode System.Runtime.InteropServices.CustomQueryInterfaceResult System.Runtime.InteropServices.DefaultCharSetAttribute System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute System.Runtime.InteropServices.DefaultParameterValueAttribute System.Runtime.InteropServices.DispatchWrapper System.Runtime.InteropServices.DispIdAttribute System.Runtime.InteropServices.DllImportAttribute System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.ErrorWrapper System.Runtime.InteropServices.ExternalException System.Runtime.InteropServices.FieldOffsetAttribute System.Runtime.InteropServices.GCHandleType System.Runtime.InteropServices.GuidAttribute System.Runtime.InteropServices.HandleRef System.Runtime.InteropServices.ICustomAdapter System.Runtime.InteropServices.ICustomFactory System.Runtime.InteropServices.ICustomMarshaler System.Runtime.InteropServices.ICustomQueryInterface System.Runtime.InteropServices.IDynamicInterfaceCastable System.Runtime.InteropServices.DynamicInterfaceCastableImplementationAttribute System.Runtime.InteropServices.InAttribute System.Runtime.InteropServices.InterfaceTypeAttribute System.Runtime.InteropServices.InvalidComObjectException System.Runtime.InteropServices.InvalidOleVariantTypeException System.Runtime.InteropServices.LayoutKind System.Runtime.InteropServices.LCIDConversionAttribute System.Runtime.InteropServices.LibraryImportAttribute System.Runtime.InteropServices.MarshalAsAttribute System.Runtime.InteropServices.MarshalDirectiveException System.Runtime.InteropServices.DllImportResolver System.Runtime.InteropServices.NativeMemory System.Runtime.InteropServices.NFloat System.Runtime.InteropServices.OptionalAttribute System.Runtime.InteropServices.OSPlatform System.Runtime.InteropServices.OutAttribute System.Runtime.InteropServices.PosixSignal System.Runtime.InteropServices.PosixSignalContext System.Runtime.InteropServices.PosixSignalRegistration System.Runtime.InteropServices.PreserveSigAttribute System.Runtime.InteropServices.ProgIdAttribute System.Runtime.InteropServices.RuntimeInformation System.Runtime.InteropServices.SafeArrayRankMismatchException System.Runtime.InteropServices.SafeArrayTypeMismatchException System.Runtime.InteropServices.SafeBuffer System.Runtime.InteropServices.SafeHandle System.Runtime.InteropServices.SEHException System.Runtime.InteropServices.StringMarshalling System.Runtime.InteropServices.StructLayoutAttribute System.Runtime.InteropServices.SuppressGCTransitionAttribute System.Runtime.InteropServices.TypeIdentifierAttribute System.Runtime.InteropServices.UnknownWrapper System.Runtime.InteropServices.UnmanagedCallConvAttribute System.Runtime.InteropServices.UnmanagedCallersOnlyAttribute System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.VariantWrapper System.Runtime.InteropServices.WasmImportLinkageAttribute System.Runtime.InteropServices.StandardOleMarshalObject System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+UnhandledExceptionPropagationHandler System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal+MessageSendFunction System.Runtime.InteropServices.ObjectiveC.ObjectiveCTrackedTypeAttribute System.Runtime.InteropServices.Swift.SwiftSelf System.Runtime.InteropServices.Swift.SwiftSelf`1[T] System.Runtime.InteropServices.Swift.SwiftError System.Runtime.InteropServices.Swift.SwiftIndirectResult System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller System.Runtime.InteropServices.Marshalling.AnsiStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.BStrStringMarshaller System.Runtime.InteropServices.Marshalling.BStrStringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.Marshalling.ComVariant System.Runtime.InteropServices.Marshalling.ContiguousCollectionMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute System.Runtime.InteropServices.Marshalling.CustomMarshallerAttribute+GenericPlaceholder System.Runtime.InteropServices.Marshalling.MarshalMode System.Runtime.InteropServices.Marshalling.MarshalUsingAttribute System.Runtime.InteropServices.Marshalling.NativeMarshallingAttribute System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.PointerArrayMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+UnmanagedToManagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.ReadOnlySpanMarshaller`2+ManagedToUnmanagedOut[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedIn[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedRef[T] System.Runtime.InteropServices.Marshalling.SafeHandleMarshaller`1+ManagedToUnmanagedOut[T] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.SpanMarshaller`2+ManagedToUnmanagedIn[T,TUnmanagedElement] System.Runtime.InteropServices.Marshalling.Utf16StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller System.Runtime.InteropServices.Marshalling.Utf8StringMarshaller+ManagedToUnmanagedIn System.Runtime.InteropServices.ComTypes.BIND_OPTS System.Runtime.InteropServices.ComTypes.IBindCtx System.Runtime.InteropServices.ComTypes.IConnectionPoint System.Runtime.InteropServices.ComTypes.IConnectionPointContainer System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints System.Runtime.InteropServices.ComTypes.CONNECTDATA System.Runtime.InteropServices.ComTypes.IEnumConnections System.Runtime.InteropServices.ComTypes.IEnumMoniker System.Runtime.InteropServices.ComTypes.IEnumString System.Runtime.InteropServices.ComTypes.IEnumVARIANT System.Runtime.InteropServices.ComTypes.FILETIME System.Runtime.InteropServices.ComTypes.IMoniker System.Runtime.InteropServices.ComTypes.IPersistFile System.Runtime.InteropServices.ComTypes.IRunningObjectTable System.Runtime.InteropServices.ComTypes.STATSTG System.Runtime.InteropServices.ComTypes.IStream System.Runtime.InteropServices.ComTypes.DESCKIND System.Runtime.InteropServices.ComTypes.BINDPTR System.Runtime.InteropServices.ComTypes.ITypeComp System.Runtime.InteropServices.ComTypes.TYPEKIND System.Runtime.InteropServices.ComTypes.TYPEFLAGS System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS System.Runtime.InteropServices.ComTypes.TYPEATTR System.Runtime.InteropServices.ComTypes.FUNCDESC System.Runtime.InteropServices.ComTypes.IDLFLAG System.Runtime.InteropServices.ComTypes.IDLDESC System.Runtime.InteropServices.ComTypes.PARAMFLAG System.Runtime.InteropServices.ComTypes.PARAMDESC System.Runtime.InteropServices.ComTypes.TYPEDESC System.Runtime.InteropServices.ComTypes.ELEMDESC System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION System.Runtime.InteropServices.ComTypes.VARKIND System.Runtime.InteropServices.ComTypes.VARDESC System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION System.Runtime.InteropServices.ComTypes.DISPPARAMS System.Runtime.InteropServices.ComTypes.EXCEPINFO System.Runtime.InteropServices.ComTypes.FUNCKIND System.Runtime.InteropServices.ComTypes.INVOKEKIND System.Runtime.InteropServices.ComTypes.CALLCONV System.Runtime.InteropServices.ComTypes.FUNCFLAGS System.Runtime.InteropServices.ComTypes.VARFLAGS System.Runtime.InteropServices.ComTypes.ITypeInfo System.Runtime.InteropServices.ComTypes.ITypeInfo2 System.Runtime.InteropServices.ComTypes.SYSKIND System.Runtime.InteropServices.ComTypes.LIBFLAGS System.Runtime.InteropServices.ComTypes.TYPELIBATTR System.Runtime.InteropServices.ComTypes.ITypeLib System.Runtime.InteropServices.ComTypes.ITypeLib2 System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute System.Runtime.CompilerServices.RuntimeHelpers System.Runtime.CompilerServices.RuntimeHelpers+TryCode System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode System.Runtime.CompilerServices.AccessedThroughPropertyAttribute System.Runtime.CompilerServices.AsyncIteratorMethodBuilder System.Runtime.CompilerServices.AsyncIteratorStateMachineAttribute System.Runtime.CompilerServices.AsyncMethodBuilderAttribute System.Runtime.CompilerServices.AsyncStateMachineAttribute System.Runtime.CompilerServices.AsyncTaskMethodBuilder System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.AsyncVoidMethodBuilder System.Runtime.CompilerServices.CallerArgumentExpressionAttribute System.Runtime.CompilerServices.CallerFilePathAttribute System.Runtime.CompilerServices.CallerLineNumberAttribute System.Runtime.CompilerServices.CallerMemberNameAttribute System.Runtime.CompilerServices.CallConvCdecl System.Runtime.CompilerServices.CallConvFastcall System.Runtime.CompilerServices.CallConvStdcall System.Runtime.CompilerServices.CallConvSwift System.Runtime.CompilerServices.CallConvSuppressGCTransition System.Runtime.CompilerServices.CallConvThiscall System.Runtime.CompilerServices.CallConvMemberFunction System.Runtime.CompilerServices.CollectionBuilderAttribute System.Runtime.CompilerServices.CompilationRelaxations System.Runtime.CompilerServices.CompilationRelaxationsAttribute System.Runtime.CompilerServices.CompilerFeatureRequiredAttribute System.Runtime.CompilerServices.CompilerGeneratedAttribute System.Runtime.CompilerServices.CompilerGlobalScopeAttribute System.Runtime.CompilerServices.ConditionalWeakTable`2[TKey,TValue] System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback[TKey,TValue] System.Runtime.CompilerServices.ConfiguredAsyncDisposable System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1[T] System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable`1+Enumerator[T] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable+ConfiguredValueTaskAwaiter System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable`1+ConfiguredValueTaskAwaiter[TResult] System.Runtime.CompilerServices.ContractHelper System.Runtime.CompilerServices.CreateNewOnMetadataUpdateAttribute System.Runtime.CompilerServices.CustomConstantAttribute System.Runtime.CompilerServices.DateTimeConstantAttribute System.Runtime.CompilerServices.DecimalConstantAttribute System.Runtime.CompilerServices.DefaultDependencyAttribute System.Runtime.CompilerServices.DependencyAttribute System.Runtime.CompilerServices.DisablePrivateReflectionAttribute System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute System.Runtime.CompilerServices.DiscardableAttribute System.Runtime.CompilerServices.EnumeratorCancellationAttribute System.Runtime.CompilerServices.ExtensionAttribute System.Runtime.CompilerServices.FixedAddressValueTypeAttribute System.Runtime.CompilerServices.FixedBufferAttribute System.Runtime.CompilerServices.FormattableStringFactory System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.ICastable System.Runtime.CompilerServices.IndexerNameAttribute System.Runtime.CompilerServices.INotifyCompletion System.Runtime.CompilerServices.ICriticalNotifyCompletion System.Runtime.CompilerServices.InternalsVisibleToAttribute System.Runtime.CompilerServices.IsByRefLikeAttribute System.Runtime.CompilerServices.InlineArrayAttribute System.Runtime.CompilerServices.IsConst System.Runtime.CompilerServices.IsExternalInit System.Runtime.CompilerServices.IsReadOnlyAttribute System.Runtime.CompilerServices.IsVolatile System.Runtime.CompilerServices.InterpolatedStringHandlerAttribute System.Runtime.CompilerServices.InterpolatedStringHandlerArgumentAttribute System.Runtime.CompilerServices.DefaultInterpolatedStringHandler System.Runtime.CompilerServices.IsUnmanagedAttribute System.Runtime.CompilerServices.IteratorStateMachineAttribute System.Runtime.CompilerServices.ITuple System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.MethodCodeType System.Runtime.CompilerServices.MethodImplAttribute System.Runtime.CompilerServices.MethodImplOptions System.Runtime.CompilerServices.ModuleInitializerAttribute System.Runtime.CompilerServices.MetadataUpdateOriginalTypeAttribute System.Runtime.CompilerServices.NullableAttribute System.Runtime.CompilerServices.NullableContextAttribute System.Runtime.CompilerServices.NullablePublicOnlyAttribute System.Runtime.CompilerServices.ReferenceAssemblyAttribute System.Runtime.CompilerServices.ParamCollectionAttribute System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder`1[TResult] System.Runtime.CompilerServices.PreserveBaseOverridesAttribute System.Runtime.CompilerServices.OverloadResolutionPriorityAttribute System.Runtime.CompilerServices.RefSafetyRulesAttribute System.Runtime.CompilerServices.RequiredMemberAttribute System.Runtime.CompilerServices.RequiresLocationAttribute System.Runtime.CompilerServices.RuntimeCompatibilityAttribute System.Runtime.CompilerServices.RuntimeFeature System.Runtime.CompilerServices.RuntimeWrappedException System.Runtime.CompilerServices.ScopedRefAttribute System.Runtime.CompilerServices.SkipLocalsInitAttribute System.Runtime.CompilerServices.SpecialNameAttribute System.Runtime.CompilerServices.StateMachineAttribute System.Runtime.CompilerServices.StringFreezingAttribute System.Runtime.CompilerServices.StrongBox`1[T] System.Runtime.CompilerServices.IStrongBox System.Runtime.CompilerServices.SuppressIldasmAttribute System.Runtime.CompilerServices.SwitchExpressionException System.Runtime.CompilerServices.TaskAwaiter System.Runtime.CompilerServices.TaskAwaiter`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1[TResult] System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter[TResult] System.Runtime.CompilerServices.TupleElementNamesAttribute System.Runtime.CompilerServices.TypeForwardedFromAttribute System.Runtime.CompilerServices.TypeForwardedToAttribute System.Runtime.CompilerServices.Unsafe System.Runtime.CompilerServices.UnsafeAccessorKind System.Runtime.CompilerServices.UnsafeAccessorAttribute System.Runtime.CompilerServices.UnsafeValueTypeAttribute System.Runtime.CompilerServices.ValueTaskAwaiter System.Runtime.CompilerServices.ValueTaskAwaiter`1[TResult] System.Runtime.CompilerServices.YieldAwaitable System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter System.Reflection.Assembly System.Reflection.AssemblyName System.Reflection.ConstructorInfo System.Reflection.ConstructorInvoker System.Reflection.FieldInfo System.Reflection.MemberInfo System.Reflection.MethodBase System.Reflection.MethodInvoker System.Reflection.CustomAttributeTypedArgument System.Reflection.AmbiguousMatchException System.Reflection.AssemblyAlgorithmIdAttribute System.Reflection.AssemblyCompanyAttribute System.Reflection.AssemblyConfigurationAttribute System.Reflection.AssemblyContentType System.Reflection.AssemblyCopyrightAttribute System.Reflection.AssemblyCultureAttribute System.Reflection.AssemblyDefaultAliasAttribute System.Reflection.AssemblyDelaySignAttribute System.Reflection.AssemblyDescriptionAttribute System.Reflection.AssemblyFileVersionAttribute System.Reflection.AssemblyFlagsAttribute System.Reflection.AssemblyInformationalVersionAttribute System.Reflection.AssemblyKeyFileAttribute System.Reflection.AssemblyKeyNameAttribute System.Reflection.AssemblyMetadataAttribute System.Reflection.AssemblyNameFlags System.Reflection.AssemblyNameProxy System.Reflection.AssemblyProductAttribute System.Reflection.AssemblySignatureKeyAttribute System.Reflection.AssemblyTitleAttribute System.Reflection.AssemblyTrademarkAttribute System.Reflection.AssemblyVersionAttribute System.Reflection.Binder System.Reflection.BindingFlags System.Reflection.CallingConventions System.Reflection.CustomAttributeData System.Reflection.CustomAttributeExtensions System.Reflection.CustomAttributeFormatException System.Reflection.CustomAttributeNamedArgument System.Reflection.DefaultMemberAttribute System.Reflection.EventAttributes System.Reflection.EventInfo System.Reflection.ExceptionHandlingClause System.Reflection.ExceptionHandlingClauseOptions System.Reflection.FieldAttributes System.Reflection.GenericParameterAttributes System.Reflection.ICustomAttributeProvider System.Reflection.ImageFileMachine System.Reflection.InterfaceMapping System.Reflection.IntrospectionExtensions System.Reflection.InvalidFilterCriteriaException System.Reflection.IReflect System.Reflection.IReflectableType System.Reflection.LocalVariableInfo System.Reflection.ManifestResourceInfo System.Reflection.MemberFilter System.Reflection.MemberTypes System.Reflection.MethodAttributes System.Reflection.MethodBody System.Reflection.MethodImplAttributes System.Reflection.MethodInfo System.Reflection.Missing System.Reflection.Module System.Reflection.ModuleResolveEventHandler System.Reflection.NullabilityInfo System.Reflection.NullabilityState System.Reflection.NullabilityInfoContext System.Reflection.ObfuscateAssemblyAttribute System.Reflection.ObfuscationAttribute System.Reflection.ParameterAttributes System.Reflection.ParameterInfo System.Reflection.ParameterModifier System.Reflection.Pointer System.Reflection.PortableExecutableKinds System.Reflection.ProcessorArchitecture System.Reflection.PropertyAttributes System.Reflection.PropertyInfo System.Reflection.ReflectionContext System.Reflection.ReflectionTypeLoadException System.Reflection.ResourceAttributes System.Reflection.ResourceLocation System.Reflection.RuntimeReflectionExtensions System.Reflection.StrongNameKeyPair System.Reflection.TargetException System.Reflection.TargetInvocationException System.Reflection.TargetParameterCountException System.Reflection.TypeAttributes System.Reflection.TypeDelegator System.Reflection.TypeFilter System.Reflection.TypeInfo System.Reflection.Metadata.AssemblyExtensions System.Reflection.Metadata.MetadataUpdater System.Reflection.Metadata.MetadataUpdateHandlerAttribute System.Reflection.Emit.CustomAttributeBuilder System.Reflection.Emit.DynamicILInfo System.Reflection.Emit.DynamicMethod System.Reflection.Emit.AssemblyBuilder System.Reflection.Emit.SignatureHelper System.Reflection.Emit.AssemblyBuilderAccess System.Reflection.Emit.ConstructorBuilder System.Reflection.Emit.EnumBuilder System.Reflection.Emit.EventBuilder System.Reflection.Emit.FieldBuilder System.Reflection.Emit.FlowControl System.Reflection.Emit.GenericTypeParameterBuilder System.Reflection.Emit.ILGenerator System.Reflection.Emit.Label System.Reflection.Emit.LocalBuilder System.Reflection.Emit.MethodBuilder System.Reflection.Emit.ModuleBuilder System.Reflection.Emit.OpCode System.Reflection.Emit.OpCodes System.Reflection.Emit.OpCodeType System.Reflection.Emit.OperandType System.Reflection.Emit.PackingSize System.Reflection.Emit.ParameterBuilder System.Reflection.Emit.PEFileKinds System.Reflection.Emit.PropertyBuilder System.Reflection.Emit.StackBehaviour System.Reflection.Emit.TypeBuilder System.IO.FileLoadException System.IO.FileNotFoundException System.IO.BinaryReader System.IO.BinaryWriter System.IO.BufferedStream System.IO.Directory System.IO.DirectoryInfo System.IO.DirectoryNotFoundException System.IO.EnumerationOptions System.IO.EndOfStreamException System.IO.File System.IO.FileAccess System.IO.FileAttributes System.IO.FileInfo System.IO.FileMode System.IO.FileOptions System.IO.FileShare System.IO.FileStream System.IO.FileStreamOptions System.IO.FileSystemInfo System.IO.HandleInheritability System.IO.InvalidDataException System.IO.IOException System.IO.MatchCasing System.IO.MatchType System.IO.MemoryStream System.IO.Path System.IO.PathTooLongException System.IO.RandomAccess System.IO.SearchOption System.IO.SeekOrigin System.IO.Stream System.IO.StreamReader System.IO.StreamWriter System.IO.StringReader System.IO.StringWriter System.IO.TextReader System.IO.TextWriter System.IO.UnixFileMode System.IO.UnmanagedMemoryAccessor System.IO.UnmanagedMemoryStream System.IO.Enumeration.FileSystemEntry System.IO.Enumeration.FileSystemEnumerator`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindPredicate[TResult] System.IO.Enumeration.FileSystemEnumerable`1+FindTransform[TResult] System.IO.Enumeration.FileSystemName System.Diagnostics.Debugger System.Diagnostics.StackFrame System.Diagnostics.StackTrace System.Diagnostics.ConditionalAttribute System.Diagnostics.Debug System.Diagnostics.Debug+AssertInterpolatedStringHandler System.Diagnostics.Debug+WriteIfInterpolatedStringHandler System.Diagnostics.DebuggableAttribute System.Diagnostics.DebuggableAttribute+DebuggingModes System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute System.Diagnostics.DebuggerDisableUserUnhandledExceptionsAttribute System.Diagnostics.DebuggerDisplayAttribute System.Diagnostics.DebuggerHiddenAttribute System.Diagnostics.DebuggerNonUserCodeAttribute System.Diagnostics.DebuggerStepperBoundaryAttribute System.Diagnostics.DebuggerStepThroughAttribute System.Diagnostics.DebuggerTypeProxyAttribute System.Diagnostics.DebuggerVisualizerAttribute System.Diagnostics.DebugProvider System.Diagnostics.DiagnosticMethodInfo System.Diagnostics.StackFrameExtensions System.Diagnostics.StackTraceHiddenAttribute System.Diagnostics.Stopwatch System.Diagnostics.UnreachableException System.Diagnostics.Tracing.DiagnosticCounter System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventCounter System.Diagnostics.Tracing.EventSource System.Diagnostics.Tracing.EventSource+EventSourcePrimitive System.Diagnostics.Tracing.EventSourceSettings System.Diagnostics.Tracing.EventListener System.Diagnostics.Tracing.EventCommandEventArgs System.Diagnostics.Tracing.EventSourceCreatedEventArgs System.Diagnostics.Tracing.EventWrittenEventArgs System.Diagnostics.Tracing.EventSourceAttribute System.Diagnostics.Tracing.EventAttribute System.Diagnostics.Tracing.NonEventAttribute System.Diagnostics.Tracing.EventCommand System.Diagnostics.Tracing.EventManifestOptions System.Diagnostics.Tracing.EventSourceException System.Diagnostics.Tracing.IncrementingEventCounter System.Diagnostics.Tracing.IncrementingPollingCounter System.Diagnostics.Tracing.PollingCounter System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.EventTask System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.EventChannel System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.EventDataAttribute System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.EventFieldFormat System.Diagnostics.Tracing.EventIgnoreAttribute System.Diagnostics.Tracing.EventSourceOptions System.Diagnostics.Tracing.EventTags System.Diagnostics.SymbolStore.ISymbolDocumentWriter System.Diagnostics.Contracts.ContractException System.Diagnostics.Contracts.ContractFailedEventArgs System.Diagnostics.Contracts.PureAttribute System.Diagnostics.Contracts.ContractClassAttribute System.Diagnostics.Contracts.ContractClassForAttribute System.Diagnostics.Contracts.ContractInvariantMethodAttribute System.Diagnostics.Contracts.ContractReferenceAssemblyAttribute System.Diagnostics.Contracts.ContractRuntimeIgnoredAttribute System.Diagnostics.Contracts.ContractVerificationAttribute System.Diagnostics.Contracts.ContractPublicPropertyNameAttribute System.Diagnostics.Contracts.ContractArgumentValidatorAttribute System.Diagnostics.Contracts.ContractAbbreviatorAttribute System.Diagnostics.Contracts.ContractOptionAttribute System.Diagnostics.Contracts.Contract System.Diagnostics.Contracts.ContractFailureKind System.Diagnostics.CodeAnalysis.ConstantExpectedAttribute System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes System.Diagnostics.CodeAnalysis.DynamicallyAccessedMembersAttribute System.Diagnostics.CodeAnalysis.DynamicDependencyAttribute System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute System.Diagnostics.CodeAnalysis.ExperimentalAttribute System.Diagnostics.CodeAnalysis.FeatureGuardAttribute System.Diagnostics.CodeAnalysis.FeatureSwitchDefinitionAttribute System.Diagnostics.CodeAnalysis.AllowNullAttribute System.Diagnostics.CodeAnalysis.DisallowNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullAttribute System.Diagnostics.CodeAnalysis.NotNullAttribute System.Diagnostics.CodeAnalysis.MaybeNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullWhenAttribute System.Diagnostics.CodeAnalysis.NotNullIfNotNullAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnAttribute System.Diagnostics.CodeAnalysis.DoesNotReturnIfAttribute System.Diagnostics.CodeAnalysis.MemberNotNullAttribute System.Diagnostics.CodeAnalysis.MemberNotNullWhenAttribute System.Diagnostics.CodeAnalysis.UnscopedRefAttribute System.Diagnostics.CodeAnalysis.RequiresAssemblyFilesAttribute System.Diagnostics.CodeAnalysis.RequiresDynamicCodeAttribute System.Diagnostics.CodeAnalysis.RequiresUnreferencedCodeAttribute System.Diagnostics.CodeAnalysis.SetsRequiredMembersAttribute System.Diagnostics.CodeAnalysis.StringSyntaxAttribute System.Diagnostics.CodeAnalysis.SuppressMessageAttribute System.Diagnostics.CodeAnalysis.UnconditionalSuppressMessageAttribute System.Collections.ArrayList System.Collections.Comparer System.Collections.DictionaryEntry System.Collections.Hashtable System.Collections.ICollection System.Collections.IComparer System.Collections.IDictionary System.Collections.IDictionaryEnumerator System.Collections.IEnumerable System.Collections.IEnumerator System.Collections.IEqualityComparer System.Collections.IHashCodeProvider System.Collections.IList System.Collections.IStructuralComparable System.Collections.IStructuralEquatable System.Collections.ListDictionaryInternal System.Collections.ObjectModel.Collection`1[T] System.Collections.ObjectModel.ReadOnlyCollection`1[T] System.Collections.ObjectModel.ReadOnlyDictionary`2[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection[TKey,TValue] System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection[TKey,TValue] System.Collections.Concurrent.ConcurrentQueue`1[T] System.Collections.Concurrent.IProducerConsumerCollection`1[T] System.Collections.Generic.Comparer`1[T] System.Collections.Generic.EqualityComparer`1[T] System.Collections.Generic.GenericEqualityComparer`1[T] System.Collections.Generic.NullableEqualityComparer`1[T] System.Collections.Generic.ObjectEqualityComparer`1[T] System.Collections.Generic.ByteEqualityComparer System.Collections.Generic.EnumEqualityComparer`1[T] System.Collections.Generic.CollectionExtensions System.Collections.Generic.GenericComparer`1[T] System.Collections.Generic.NullableComparer`1[T] System.Collections.Generic.ObjectComparer`1[T] System.Collections.Generic.Dictionary`2[TKey,TValue] System.Collections.Generic.Dictionary`2+AlternateLookup`1[TKey,TValue,TAlternateKey] System.Collections.Generic.Dictionary`2+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection[TKey,TValue] System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator[TKey,TValue] System.Collections.Generic.HashSet`1[T] System.Collections.Generic.HashSet`1+AlternateLookup`1[T,TAlternate] System.Collections.Generic.HashSet`1+Enumerator[T] System.Collections.Generic.IAlternateEqualityComparer`2[TAlternate,T] System.Collections.Generic.IAsyncEnumerable`1[T] System.Collections.Generic.IAsyncEnumerator`1[T] System.Collections.Generic.ICollection`1[T] System.Collections.Generic.IComparer`1[T] System.Collections.Generic.IDictionary`2[TKey,TValue] System.Collections.Generic.IEnumerable`1[T] System.Collections.Generic.IEnumerator`1[T] System.Collections.Generic.IEqualityComparer`1[T] System.Collections.Generic.IList`1[T] System.Collections.Generic.IReadOnlyCollection`1[T] System.Collections.Generic.IReadOnlyDictionary`2[TKey,TValue] System.Collections.Generic.IReadOnlyList`1[T] System.Collections.Generic.ISet`1[T] System.Collections.Generic.IReadOnlySet`1[T] System.Collections.Generic.KeyNotFoundException System.Collections.Generic.KeyValuePair System.Collections.Generic.KeyValuePair`2[TKey,TValue] System.Collections.Generic.List`1[T] System.Collections.Generic.List`1+Enumerator[T] System.Collections.Generic.Queue`1[T] System.Collections.Generic.Queue`1+Enumerator[T] System.Collections.Generic.ReferenceEqualityComparer System.Collections.Generic.NonRandomizedStringEqualityComparer Internal.Console Internal.Console+Error", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Reflection.Metadata.MetadataUpdateHandlerAttribute(typeof(System.Reflection.Metadata.RuntimeTypeMetadataUpdateHandler))] [System.CLSCompliantAttribute((Boolean)True)] [System.Runtime.InteropServices.ComVisibleAttribute((Boolean)False)] [System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute((System.Runtime.InteropServices.DllImportSearchPath)2050)] [System.Reflection.AssemblyMetadataAttribute(\"Serviceable\", \"True\")] [System.Reflection.AssemblyMetadataAttribute(\"IsTrimmable\", \"True\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")] [System.Runtime.CompilerServices.DisableRuntimeMarshallingAttribute()] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"© Microsoft Corporation. All rights reserved.\")] [System.Reflection.AssemblyDescriptionAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyFileVersionAttribute(\"9.0.625.26613\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"9.0.6+3875b54e7b10b10606b105340199946d0b877754\")] [System.Reflection.AssemblyProductAttribute(\"Microsoft® .NET\")] [System.Reflection.AssemblyTitleAttribute(\"System.Private.CoreLib\")] [System.Reflection.AssemblyMetadataAttribute(\"RepositoryUrl\", \"https://github.com/dotnet/runtime\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Private.CoreLib.dll", + "Modules": "System.Private.CoreLib.dll", + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.ValueType", + "AssemblyQualifiedName": "System.ValueType, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "478dd879-0e54-3ff8-b80b-281117149db3", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "ValueType", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554629, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.ValueType", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "Boolean Equals(System.Object) Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*) Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*) Int32 GetHashCode() ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef) System.String ToString() Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*) ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**) Void .ctor() System.ValueType+ValueTypeHashCodeStrategy", + "DeclaredMethods": "Boolean Equals(System.Object) Boolean CanCompareBitsOrUseFastGetHashCode(System.Runtime.CompilerServices.MethodTable*) Boolean CanCompareBitsOrUseFastGetHashCodeHelper(System.Runtime.CompilerServices.MethodTable*) Int32 GetHashCode() ValueTypeHashCodeStrategy GetHashCodeStrategy(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32 ByRef, UInt32 ByRef, System.Runtime.CompilerServices.MethodTable* ByRef) System.String ToString() Int32 g____PInvoke|2_0(System.Runtime.CompilerServices.MethodTable*) ValueTypeHashCodeStrategy g____PInvoke|5_0(System.Runtime.CompilerServices.MethodTable*, System.Runtime.CompilerServices.ObjectHandleOnStack, UInt32*, UInt32*, System.Runtime.CompilerServices.MethodTable**)", + "DeclaredNestedTypes": "System.ValueType+ValueTypeHashCodeStrategy", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1056897, + "IsAbstract": true, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": true, + "IsVisible": true, + "CustomAttributes": "[System.SerializableAttribute()] [System.Runtime.CompilerServices.NullableContextAttribute((Byte)2)] [System.Runtime.CompilerServices.NullableAttribute((Byte)0)] [System.Runtime.CompilerServices.TypeForwardedFromAttribute(\"mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089\")]" + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554958, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Private.CoreLib.dll", + "ModuleVersionId": "6322a2c9-49e1-408c-8faf-9b86b82127b8", + "MetadataToken": 1, + "ScopeName": "System.Private.CoreLib.dll", + "Name": "System.Private.CoreLib.dll", + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)] [System.Runtime.CompilerServices.NullablePublicOnlyAttribute((Boolean)False)] [System.Runtime.CompilerServices.SkipLocalsInitAttribute()]" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712117274280 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Void", + "AssemblyQualifiedName": "System.Void, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "962ce4fe-96d6-3545-86d7-2a92748d877c", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Void", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.ValueType", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554958, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "void", + "GenericTypeParameters": "", + "DeclaredConstructors": "", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048841, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": false, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": false, + "IsExplicitLayout": false, + "IsLayoutSequential": true, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": true, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [], + "DeclaredMethods": [], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1048841, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": false, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": false, + "IsExplicitLayout": false, + "IsLayoutSequential": true, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": true, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [] + }, + "Name": null, + "HasDefaultValue": false, + "DefaultValue": null, + "RawDefaultValue": null, + "MetadataToken": 134217728, + "Attributes": 0, + "Member": { + "Name": "MyMethod", + "DeclaringType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": "RefEmit_InMemoryManifestModule", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "MyClass", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMembers": "Void MyMethod() Void .ctor() System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMethods": "Void MyMethod()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "ReflectedType": { + "IsCollectible": true, + "DeclaringMethod": null, + "FullName": "MyClass", + "AssemblyQualifiedName": "MyClass, PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "Namespace": null, + "GUID": "47cf3f0b-2d87-3ec3-809b-68e96a1a7c49", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "MyClass", + "DeclaringType": null, + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "BaseType": "System.Object", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554434, + "Module": "RefEmit_InMemoryManifestModule", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "MyClass", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMembers": "Void MyMethod() Void .ctor() System.Management.Automation.SessionStateInternal __sessionState", + "DeclaredMethods": "Void MyMethod()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1, + "IsAbstract": false, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "MemberType": 8, + "MetadataToken": 100663298, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "", + "ModuleVersionId": "508a7bbd-b157-498c-b8e8-0465633db725", + "MetadataToken": 1, + "ScopeName": "RefEmit_InMemoryManifestModule", + "Name": "", + "Assembly": "PowerShell Class Assembly, Version=1.0.0.6, Culture=neutral, PublicKeyToken=null", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "" + }, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MethodHandle": { + "Value": { + "value": 140712199048136 + } + }, + "Attributes": 70, + "CallingConvention": 33, + "ReturnType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Void", + "AssemblyQualifiedName": "System.Void, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System", + "GUID": "962ce4fe-96d6-3545-86d7-2a92748d877c", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "Void", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.ValueType", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554958, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "void", + "GenericTypeParameters": "", + "DeclaredConstructors": "", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048841, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": false, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": false, + "IsExplicitLayout": false, + "IsLayoutSequential": true, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": true, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "" + }, + "ReturnTypeCustomAttributes": { + "ParameterType": "void", + "Name": null, + "HasDefaultValue": false, + "DefaultValue": null, + "RawDefaultValue": null, + "MetadataToken": 134217728, + "Attributes": 0, + "Member": "Void MyMethod()", + "Position": -1, + "IsIn": false, + "IsLcid": false, + "IsOptional": false, + "IsOut": false, + "IsRetval": false, + "CustomAttributes": "" + }, + "ReturnParameter": { + "ParameterType": "void", + "Name": null, + "HasDefaultValue": false, + "DefaultValue": null, + "RawDefaultValue": null, + "MetadataToken": 134217728, + "Attributes": 0, + "Member": "Void MyMethod()", + "Position": -1, + "IsIn": false, + "IsLcid": false, + "IsOptional": false, + "IsOut": false, + "IsRetval": false, + "CustomAttributes": "" + }, + "IsCollectible": true, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": false, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": false, + "IsStatic": false, + "IsVirtual": true, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "CustomAttributes": [ + "[System.Management.Automation.HiddenAttribute()]" + ] + }, + "Position": -1, + "IsIn": false, + "IsLcid": false, + "IsOptional": false, + "IsOut": false, + "IsRetval": false, + "CustomAttributes": [] + }, + "IsCollectible": true, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": false, + "IsFinal": false, + "IsHideBySig": false, + "IsSpecialName": false, + "IsStatic": false, + "IsVirtual": true, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "CustomAttributes": [ + { + "Constructor": { + "Name": ".ctor", + "MemberType": 1, + "DeclaringType": "System.Management.Automation.HiddenAttribute", + "ReflectedType": "System.Management.Automation.HiddenAttribute", + "MetadataToken": 100666621, + "Module": "System.Management.Automation.dll", + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 6278, + "CallingConvention": 33, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": true, + "IsFinal": false, + "IsHideBySig": true, + "IsSpecialName": true, + "IsStatic": false, + "IsVirtual": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "CustomAttributes": "", + "IsCollectible": true + }, + "ConstructorArguments": [], + "NamedArguments": [], + "AttributeType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Management.Automation.HiddenAttribute", + "AssemblyQualifiedName": "System.Management.Automation.HiddenAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Namespace": "System.Management.Automation", + "GUID": "b23a193d-6855-366c-b01b-00350a94e834", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "HiddenAttribute", + "DeclaringType": null, + "Assembly": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "BaseType": "System.Management.Automation.Internal.ParsingBaseAttribute", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554546, + "Module": "System.Management.Automation.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Management.Automation.HiddenAttribute", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "Void .ctor()", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048833, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "[System.AttributeUsageAttribute((System.AttributeTargets)992)]" + } + } + ] +} diff --git a/_Temp/MyMethod2.json b/_Temp/MyMethod2.json new file mode 100644 index 0000000..f5e3529 --- /dev/null +++ b/_Temp/MyMethod2.json @@ -0,0 +1,5309 @@ +{ + "TypeId": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Management.Automation.HiddenAttribute", + "AssemblyQualifiedName": "System.Management.Automation.HiddenAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Namespace": "System.Management.Automation", + "GUID": "b23a193d-6855-366c-b01b-00350a94e834", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Runtime.InteropServices.StructLayoutAttribute", + "AssemblyQualifiedName": "System.Runtime.InteropServices.StructLayoutAttribute, System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "Namespace": "System.Runtime.InteropServices", + "GUID": "b339a75d-a159-31c6-9265-23e3ba224d71", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "StructLayoutAttribute", + "DeclaringType": null, + "Assembly": "System.Private.CoreLib, Version=9.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e", + "BaseType": "System.Attribute", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33556012, + "Module": "System.Private.CoreLib.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Runtime.InteropServices.StructLayoutAttribute", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor(System.Runtime.InteropServices.LayoutKind) Void .ctor(Int16)", + "DeclaredEvents": "", + "DeclaredFields": "System.Runtime.InteropServices.LayoutKind k__BackingField Int32 Pack Int32 Size System.Runtime.InteropServices.CharSet CharSet", + "DeclaredMembers": "System.Runtime.InteropServices.LayoutKind get_Value() Void .ctor(System.Runtime.InteropServices.LayoutKind) Void .ctor(Int16) System.Runtime.InteropServices.LayoutKind Value System.Runtime.InteropServices.LayoutKind k__BackingField Int32 Pack Int32 Size System.Runtime.InteropServices.CharSet CharSet", + "DeclaredMethods": "System.Runtime.InteropServices.LayoutKind get_Value()", + "DeclaredNestedTypes": "", + "DeclaredProperties": "System.Runtime.InteropServices.LayoutKind Value", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048833, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "[System.AttributeUsageAttribute((System.AttributeTargets)12, Inherited = False)]" + } + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "HiddenAttribute", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Management.Automation.dll", + "FullName": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "EntryPoint": null, + "DefinedTypes": [ + "<>f__AnonymousType0`2[j__TPar,j__TPar]", + "<>f__AnonymousType1`2[<<>h__TransparentIdentifier0>j__TPar,j__TPar]", + "<>f__AnonymousType2`2[<<>h__TransparentIdentifier1>j__TPar,j__TPar]", + "<>f__AnonymousType3`2[<<>h__TransparentIdentifier2>j__TPar,j__TPar]", + "<>f__AnonymousType4`2[j__TPar,j__TPar]", + "<>f__AnonymousType5`2[j__TPar,j__TPar]", + "<>F{00000200}`5[T1,T2,T3,T4,TResult]", + "Interop, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Authenticode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "AuthorizationManagerBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "AutomationExceptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "CatalogStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "CimInstanceTypeAdapterResources, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "CmdletizationCoreResources, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "CommandBaseStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ConsoleInfoErrorStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "CoreClrStubResources, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Credential, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "CredentialAttributeStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "CredUI, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "DebuggerStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "DescriptionsStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "DiscoveryExceptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "EnumExpressionEvaluatorStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ErrorCategoryStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ErrorPackage, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "EtwLoggingStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "EventingResources, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ExperimentalFeatureStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ExtendedTypeSystem, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "FileSystemProviderStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "FormatAndOutXmlLoadingStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "FormatAndOut_format_xxx, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "FormatAndOut_MshParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "FormatAndOut_out_xxx, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "GetErrorText, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "HelpDisplayStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "HelpErrors, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "HistoryStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "HostInterfaceExceptionsStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "InternalCommandStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "InternalHostStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "InternalHostUserInterfaceStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Logging, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Metadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "MiniShellErrors, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Modules, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "MshHostRawUserInterfaceStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "MshSignature, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "MshSnapInCmdletResources, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "MshSnapinInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "NativeCP, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ParameterBinderStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ParserStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "PathUtilsStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "PipelineStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "PowerShellStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ProgressRecordStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ProviderBaseSecurity, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ProxyCommandStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "PSCommandStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "PSConfigurationStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "PSDataBufferStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "PSListModifierStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "PSStyleStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "RegistryProviderStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "RemotingErrorIdStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "RunspaceInit, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "RunspacePoolStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "RunspaceStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "SecuritySupportStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Serialization, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "SessionStateProviderBaseStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "SessionStateStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "StringDecoratedStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "SubsystemStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "SuggestionStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "TabCompletionStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "TransactionStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "TypesXmlStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "VerbDescriptionStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "WildcardPatternStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__Utilities, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PowerShellAssemblyLoadContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PowerShellAssemblyLoadContextInitializer", + "System.Management.Automation.PowerShellUnsafeAssemblyLoad", + "System.Management.Automation.Platform", + "System.Management.Automation.PSTransactionContext", + "System.Management.Automation.RollbackSeverity", + "System.Management.Automation.RegistryStringResourceIndirect, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AliasInfo", + "System.Management.Automation.ApplicationInfo", + "System.Management.Automation.ArgumentToVersionTransformationAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ArgumentTypeConverterAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AsyncByteStreamTransfer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ValidateArgumentsAttribute", + "System.Management.Automation.ValidateEnumeratedArgumentsAttribute", + "System.Management.Automation.DSCResourceRunAsCredential", + "DscResource", + "DscProperty", + "DscLocalConfigurationManager", + "System.Management.Automation.CmdletCommonMetadataAttribute", + "System.Management.Automation.CmdletAttribute", + "CmdletBinding", + "OutputType", + "System.Management.Automation.DynamicClassImplementationAssemblyAttribute", + "Alias", + "Parameter", + "PSTypeNameAttribute", + "SupportsWildcards", + "PSDefaultValue", + "System.Management.Automation.HiddenAttribute", + "ValidateLength", + "System.Management.Automation.ValidateRangeKind", + "ValidateRange", + "ValidatePattern", + "ValidateScript", + "ValidateCount", + "System.Management.Automation.CachedValidValuesGeneratorBase", + "ValidateSet", + "System.Management.Automation.IValidateSetValuesGenerator", + "ValidateTrustedData", + "AllowNull", + "AllowEmptyString", + "AllowEmptyCollection", + "ValidateDrive", + "ValidateUserDrive", + "System.Management.Automation.NullValidationAttributeBase", + "ValidateNotNull", + "System.Management.Automation.ValidateNotNullOrAttributeBase", + "ValidateNotNullOrEmpty", + "ValidateNotNullOrWhiteSpace", + "System.Management.Automation.ArgumentTransformationAttribute", + "System.Management.Automation.AutomationEngine, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.BytePipe, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NativeCommandProcessorBytePipe, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.FileBytePipe, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ChildItemCmdletProviderIntrinsics", + "System.Management.Automation.ReturnContainers", + "System.Management.Automation.Cmdlet", + "System.Management.Automation.ShouldProcessReason", + "System.Management.Automation.ProviderIntrinsics", + "System.Management.Automation.CmdletInfo", + "System.Management.Automation.CmdletParameterBinderController, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DefaultParameterDictionary", + "System.Management.Automation.NativeArgumentPassingStyle", + "System.Management.Automation.ErrorView", + "System.Management.Automation.ActionPreference", + "System.Management.Automation.ConfirmImpact", + "System.Management.Automation.PSCmdlet", + "System.Management.Automation.CommandCompletion", + "System.Management.Automation.CompletionContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters", + "System.Management.Automation.SafeExprEvaluator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PropertyNameCompleter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionResultType", + "System.Management.Automation.CompletionResult", + "ArgumentCompleter", + "System.Management.Automation.IArgumentCompleter", + "System.Management.Automation.IArgumentCompleterFactory", + "System.Management.Automation.ArgumentCompleterFactoryAttribute", + "System.Management.Automation.RegisterArgumentCompleterCommand", + "ArgumentCompletions", + "System.Management.Automation.ScopeArgumentCompleter", + "System.Management.Automation.CommandLookupEventArgs", + "System.Management.Automation.PSModuleAutoLoadingPreference", + "System.Management.Automation.CommandDiscovery, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LookupPathCollection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandDiscoveryEventSource, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandTypes", + "System.Management.Automation.CommandInfo", + "System.Management.Automation.PSTypeName", + "System.Management.Automation.PSMemberNameAndType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSSyntheticTypeName, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.IScriptCommandInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SessionCapabilities", + "System.Management.Automation.CommandMetadata", + "System.Management.Automation.CommandParameterInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandPathSearch, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandProcessor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandProcessorBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SearchResolutionOptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompiledCommandParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterCollectionType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterCollectionTypeInformation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.IDispatch, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInvoker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComMethodInformation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComMethod, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComProperty, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComTypeInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComUtil, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ConfigurationInfo", + "System.Management.Automation.ContentCmdletProviderIntrinsics", + "System.Management.Automation.Adapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CacheEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CacheTable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MethodInformation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterInformation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.BaseDotNetAdapterForAdaptedObjects, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapterWithComTypeName, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MemberRedirectionAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSObjectAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSMemberSetAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PropertyOnlyAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.XmlNodeAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DataRowAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DataRowViewAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSCredentialTypes", + "System.Management.Automation.PSCredentialUIOptions", + "System.Management.Automation.GetSymmetricEncryptionKey", + "pscredential", + "System.Management.Automation.PSCultureVariable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSUICultureVariable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSDriveInfo", + "System.Management.Automation.ProviderInfo", + "System.Management.Automation.Breakpoint", + "System.Management.Automation.CommandBreakpoint", + "System.Management.Automation.VariableAccessMode", + "System.Management.Automation.VariableBreakpoint", + "System.Management.Automation.LineBreakpoint", + "System.Management.Automation.DebuggerResumeAction", + "System.Management.Automation.DebuggerStopEventArgs", + "System.Management.Automation.BreakpointUpdateType", + "System.Management.Automation.BreakpointUpdatedEventArgs", + "System.Management.Automation.PSJobStartEventArgs", + "System.Management.Automation.StartRunspaceDebugProcessingEventArgs", + "System.Management.Automation.ProcessRunspaceDebugEndEventArgs", + "System.Management.Automation.DebugModes", + "System.Management.Automation.UnhandledBreakpointProcessingMode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Debugger", + "System.Management.Automation.ScriptDebugger, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NestedRunspaceDebugger, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.StandaloneRunspaceDebugger, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EmbeddedRunspaceDebugger, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DebuggerCommandResults", + "System.Management.Automation.DebuggerCommandProcessor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DebuggerCommand, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSDebugContext", + "System.Management.Automation.CallStackFrame", + "System.Management.Automation.DefaultCommandRuntime, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DriveManagementIntrinsics", + "System.Management.Automation.DriveNames, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ImplementedAsType", + "System.Management.Automation.DscResourceInfo", + "System.Management.Automation.DscResourcePropertyInfo", + "System.Management.Automation.DscResourceSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EngineIntrinsics", + "System.Management.Automation.FlagsExpression`1[T]", + "System.Management.Automation.EnumMinimumDisambiguation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ErrorCategory", + "System.Management.Automation.ErrorCategoryInfo", + "System.Management.Automation.ErrorDetails", + "System.Management.Automation.ErrorRecord", + "System.Management.Automation.ErrorRecord`1[TException]", + "System.Management.Automation.IContainsErrorRecord", + "System.Management.Automation.IResourceSupplier", + "System.Management.Automation.PSEventManager", + "System.Management.Automation.PSLocalEventManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSRemoteEventManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSEngineEvent", + "System.Management.Automation.PSEventSubscriber", + "System.Management.Automation.PSEventHandler", + "System.Management.Automation.ForwardedEventArgs", + "System.Management.Automation.PSEventArgs`1[T]", + "System.Management.Automation.PSEventArgs", + "System.Management.Automation.PSEventReceivedEventHandler", + "System.Management.Automation.PSEventUnsubscribedEventArgs", + "System.Management.Automation.PSEventUnsubscribedEventHandler", + "System.Management.Automation.PSEventArgsCollection", + "System.Management.Automation.EventAction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSEventJob", + "System.Management.Automation.ExecutionContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EngineState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ExperimentalFeature", + "ExperimentAction", + "Experimental", + "System.Management.Automation.ExtendedTypeSystemException", + "System.Management.Automation.MethodException", + "System.Management.Automation.MethodInvocationException", + "System.Management.Automation.GetValueException", + "System.Management.Automation.PropertyNotFoundException", + "System.Management.Automation.GetValueInvocationException", + "System.Management.Automation.SetValueException", + "System.Management.Automation.SetValueInvocationException", + "System.Management.Automation.PSInvalidCastException", + "System.Management.Automation.ExternalScriptInfo", + "System.Management.Automation.ScriptRequiresSyntaxException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSSnapInSpecification", + "System.Management.Automation.DirectoryEntryAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.FilterInfo", + "System.Management.Automation.FunctionInfo", + "System.Management.Automation.SuggestionMatchType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HostUtilities", + "System.Management.Automation.InformationalRecord", + "System.Management.Automation.WarningRecord", + "System.Management.Automation.DebugRecord", + "System.Management.Automation.VerboseRecord", + "pslistmodifier", + "System.Management.Automation.PSListModifier`1[T]", + "System.Management.Automation.InvalidPowerShellStateException", + "System.Management.Automation.PSInvocationState", + "System.Management.Automation.RunspaceMode", + "System.Management.Automation.PSInvocationStateInfo", + "System.Management.Automation.PSInvocationStateChangedEventArgs", + "System.Management.Automation.PSInvocationSettings", + "System.Management.Automation.BatchInvocationContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteStreamOptions", + "System.Management.Automation.PowerShellAsyncResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "powershell", + "System.Management.Automation.PSDataStreams", + "System.Management.Automation.PowerShellStopper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSCommand", + "System.Management.Automation.DataAddedEventArgs", + "System.Management.Automation.DataAddingEventArgs", + "System.Management.Automation.PSDataCollection`1[T]", + "System.Management.Automation.IBlockingEnumerator`1[T]", + "System.Management.Automation.PSDataCollectionEnumerator`1[T]", + "System.Management.Automation.PSInformationalBuffers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ICommandRuntime", + "System.Management.Automation.ICommandRuntime2", + "System.Management.Automation.InformationRecord", + "System.Management.Automation.HostInformationMessage", + "System.Management.Automation.InvocationInfo", + "System.Management.Automation.RemoteCommandInfo", + "System.Management.Automation.ItemCmdletProviderIntrinsics", + "System.Management.Automation.CopyContainers", + "System.Management.Automation.PSTypeConverter", + "System.Management.Automation.ConvertThroughString", + "System.Management.Automation.ConversionRank, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives", + "System.Management.Automation.PSParseError", + "System.Management.Automation.PSParser", + "System.Management.Automation.PSToken", + "System.Management.Automation.PSTokenType", + "System.Management.Automation.FlowControlException", + "System.Management.Automation.LoopFlowException", + "System.Management.Automation.BreakException", + "System.Management.Automation.ContinueException", + "System.Management.Automation.ReturnException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExitException", + "System.Management.Automation.ExitNestedPromptException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TerminateException", + "System.Management.Automation.StopUpstreamCommandsException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SplitOptions", + "System.Management.Automation.PowerShellBinaryOperator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParserOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RangeEnumerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CharRangeEnumerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InterpreterError, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptTrace, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "scriptblock", + "System.Management.Automation.SteppablePipeline", + "System.Management.Automation.ScriptBlockToPowerShellNotSupportedException", + "System.Management.Automation.ScriptBlockInvocationEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.BaseWMIAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ManagementClassApdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ManagementObjectAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MergedCommandParameterMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MergedCompiledCommandParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterBinderAssociation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MinishellParameterBinderController, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AnalysisCache, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AnalysisCacheData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ModuleCacheEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Constants, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ModuleIntrinsics", + "System.Management.Automation.ModuleMatchFailure, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.IModuleAssemblyInitializer", + "System.Management.Automation.IModuleAssemblyCleanup", + "psmoduleinfo", + "System.Management.Automation.ModuleType", + "System.Management.Automation.ModuleAccessMode", + "System.Management.Automation.PSModuleInfoComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptAnalysis, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExportVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RequiredModuleInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.IDynamicParameters", + "switch", + "System.Management.Automation.CommandInvocationIntrinsics", + "System.Management.Automation.MshCommandRuntime, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSMemberTypes", + "System.Management.Automation.PSMemberViewTypes", + "System.Management.Automation.MshMemberMatchOptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSMemberInfo", + "System.Management.Automation.PSPropertyInfo", + "psaliasproperty", + "System.Management.Automation.PSCodeProperty", + "System.Management.Automation.PSInferredProperty, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSProperty", + "System.Management.Automation.PSAdaptedProperty", + "psnoteproperty", + "psvariableproperty", + "psscriptproperty", + "System.Management.Automation.PSMethodInvocationConstraints, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSMethodInfo", + "System.Management.Automation.PSCodeMethod", + "psscriptmethod", + "System.Management.Automation.PSMethod", + "System.Management.Automation.PSNonBindableType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.VOID, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSOutParameter`1[T]", + "System.Management.Automation.PSPointer`1[T]", + "System.Management.Automation.PSTypedReference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MethodGroup, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MethodGroup`1[T1]", + "System.Management.Automation.MethodGroup`2[T1,T2]", + "System.Management.Automation.MethodGroup`4[T1,T2,T3,T4]", + "System.Management.Automation.MethodGroup`8[T1,T2,T3,T4,T5,T6,T7,T8]", + "System.Management.Automation.MethodGroup`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16]", + "System.Management.Automation.MethodGroup`32[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32]", + "System.Management.Automation.PSMethodSignatureEnumerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSMethod`1[T]", + "System.Management.Automation.PSParameterizedProperty", + "System.Management.Automation.PSMemberSet", + "System.Management.Automation.PSInternalMemberSet, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSPropertySet", + "System.Management.Automation.PSEvent", + "System.Management.Automation.PSDynamicMember", + "System.Management.Automation.MemberMatch, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MemberNamePredicate", + "System.Management.Automation.PSMemberInfoCollection`1[T]", + "System.Management.Automation.ReadOnlyPSMemberInfoCollection`1[T]", + "System.Management.Automation.PSMemberInfoInternalCollection`1[T]", + "System.Management.Automation.CollectionEntry`1[T]", + "System.Management.Automation.ReservedNameMembers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSMemberInfoIntegratingCollection`1[T]", + "psobject", + "System.Management.Automation.WriteStreamType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "PSCustomObject", + "System.Management.Automation.SerializationMethod, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SettingValueExceptionEventArgs", + "System.Management.Automation.GettingValueExceptionEventArgs", + "System.Management.Automation.PSObjectPropertyDescriptor", + "System.Management.Automation.PSObjectTypeDescriptor", + "System.Management.Automation.PSObjectTypeDescriptionProvider", + "ref", + "System.Management.Automation.PSReference`1[T]", + "System.Management.Automation.PSSecurityException", + "System.Management.Automation.PSSnapinQualifiedName, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NativeCommand, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NativeCommandParameterBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NativeCommandParameterBinderController, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NativeCommandIOFormat, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MinishellStream, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.StringToMinishellStreamConverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProcessOutputObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NativeCommandExitException", + "System.Management.Automation.NativeCommandProcessor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProcessOutputHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProcessInputWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ConsoleVisibility, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteException", + "System.Management.Automation.OrderedHashtable", + "System.Management.Automation.ParameterBindingFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterBinderBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.UnboundParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSBoundParametersDictionary, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandLineParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterBinderController, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandParameterInfo", + "System.Management.Automation.CommandParameterSetInfo", + "System.Management.Automation.ParameterSetPromptingData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterSetSpecificMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceRuntimePermissions", + "System.Management.Automation.AstTypeInference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSTypeNameComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceExtension, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CoreTypes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeAccelerators, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PathIntrinsics", + "System.Management.Automation.PositionalCommandParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PowerShellStreamType", + "System.Management.Automation.ProgressRecord", + "System.Management.Automation.ProgressRecordType", + "System.Management.Automation.PropertyCmdletProviderIntrinsics", + "System.Management.Automation.CmdletProviderManagementIntrinsics", + "System.Management.Automation.ProviderNames, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SingleShellProviderNames, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProxyCommand", + "System.Management.Automation.PSClassInfo", + "System.Management.Automation.PSClassMemberInfo", + "System.Management.Automation.PSClassSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RuntimeDefinedParameterBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RuntimeDefinedParameter", + "System.Management.Automation.RuntimeDefinedParameterDictionary", + "System.Management.Automation.PSVersionInfo", + "System.Management.Automation.PSVersionHashTable", + "semver", + "System.Management.Automation.QuestionMarkVariable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ReflectionParameterBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardOptions", + "WildcardPattern", + "System.Management.Automation.WildcardPatternException", + "System.Management.Automation.WildcardPatternParser, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternToRegexParser, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternMatcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternToDosWildcardParser, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.JobState", + "System.Management.Automation.InvalidJobStateException", + "System.Management.Automation.JobStateInfo", + "System.Management.Automation.JobStateEventArgs", + "System.Management.Automation.JobIdentifier", + "System.Management.Automation.IJobDebugger", + "System.Management.Automation.Job", + "System.Management.Automation.PSRemotingJob, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DisconnectedJobOperation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSRemotingChildJob, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemotingJobDebugger, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSInvokeExpressionSyncJob, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.OutputProcessingStateEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.IOutputProcessingState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Job2", + "System.Management.Automation.JobThreadOptions", + "System.Management.Automation.ContainerParentJob", + "System.Management.Automation.JobFailedException", + "System.Management.Automation.JobManager", + "System.Management.Automation.JobDefinition", + "System.Management.Automation.JobInvocationInfo", + "System.Management.Automation.JobSourceAdapter", + "System.Management.Automation.PowerShellStreams`2[TInput,TOutput]", + "System.Management.Automation.RemotePipeline, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteRunspace, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDebugger, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteSessionStateProxy, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.StartableJob, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ThrottlingJob, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ThrottlingJobChildAddedEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Repository`1[T]", + "System.Management.Automation.JobRepository", + "System.Management.Automation.RunspaceRepository", + "System.Management.Automation.RemoteSessionNegotiationEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDataEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDataEventArgs`1[T]", + "System.Management.Automation.RemoteSessionState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteSessionEvent, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteSessionStateInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteSessionStateEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteSessionStateMachineEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemotingCapability", + "System.Management.Automation.RemotingBehavior", + "System.Management.Automation.PSSessionTypeOption", + "System.Management.Automation.PSTransportOption", + "System.Management.Automation.RemoteSession, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RunspacePoolStateInfo", + "System.Management.Automation.RemotingConstants, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDataNameStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemotingDestination, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemotingTargetInterface, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemotingDataType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemotingEncoder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemotingDecoder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerPowerShellDriver, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerRunspacePoolDataStructureHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerPowerShellDataStructureHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.IRSPDriverInvoke, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerRunspacePoolDriver, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerRemoteDebugger, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExecutionContextForStepping, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerSteppablePipelineDriver, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerSteppablePipelineDriverEventArg, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerSteppablePipelineSubscriber, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompileInterpretChoice, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptBlockClauseToInvoke, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompiledScriptBlockData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSScriptCmdlet, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MutableTuple, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MutableTuple`1[T0]", + "System.Management.Automation.MutableTuple`2[T0,T1]", + "System.Management.Automation.MutableTuple`4[T0,T1,T2,T3]", + "System.Management.Automation.MutableTuple`8[T0,T1,T2,T3,T4,T5,T6,T7]", + "System.Management.Automation.MutableTuple`16[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15]", + "System.Management.Automation.MutableTuple`32[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31]", + "System.Management.Automation.MutableTuple`64[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32,T33,T34,T35,T36,T37,T38,T39,T40,T41,T42,T43,T44,T45,T46,T47,T48,T49,T50,T51,T52,T53,T54,T55,T56,T57,T58,T59,T60,T61,T62,T63]", + "System.Management.Automation.MutableTuple`128[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32,T33,T34,T35,T36,T37,T38,T39,T40,T41,T42,T43,T44,T45,T46,T47,T48,T49,T50,T51,T52,T53,T54,T55,T56,T57,T58,T59,T60,T61,T62,T63,T64,T65,T66,T67,T68,T69,T70,T71,T72,T73,T74,T75,T76,T77,T78,T79,T80,T81,T82,T83,T84,T85,T86,T87,T88,T89,T90,T91,T92,T93,T94,T95,T96,T97,T98,T99,T100,T101,T102,T103,T104,T105,T106,T107,T108,T109,T110,T111,T112,T113,T114,T115,T116,T117,T118,T119,T120,T121,T122,T123,T124,T125,T126,T127]", + "System.Management.Automation.ArrayOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PipelineOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandRedirection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MergingRedirection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.FileRedirection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.FunctionOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptBlockExpressionWrapper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ByRefOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HashtableOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExceptionHandlingOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SwitchOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WhereOperatorSelectionMode", + "System.Management.Automation.EnumerableOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MemberInvocationLoggingOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Boxed, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.IntOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.UIntOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LongOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ULongOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DecimalOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DoubleOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CharOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.StringOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.VariableOps, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptBlockToPowerShellChecker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.UsingExpressionAstSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptBlockToPowerShellConverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScopedItemSearcher`1[T]", + "System.Management.Automation.VariableScopeItemSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AliasScopeItemSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.FunctionScopeItemSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DriveScopeItemSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptCommand, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptCommandProcessorBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DlrScriptCommandProcessor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptInfo", + "System.Management.Automation.ScriptParameterBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptParameterBinderController, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SecurityDescriptorCmdletProviderIntrinsics", + "System.Management.Automation.CommandOrigin", + "System.Management.Automation.AuthorizationManager", + "System.Management.Automation.SerializationOptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SerializationContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSSerializer", + "System.Management.Automation.Serializer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DeserializationOptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DeserializationContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CimClassDeserializationCache`1[TKey]", + "System.Management.Automation.CimClassSerializationCache`1[TKey]", + "System.Management.Automation.CimClassSerializationId, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Deserializer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InternalSerializer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InternalDeserializer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ReferenceIdHandlerForSerializer`1[T]", + "System.Management.Automation.ReferenceIdHandlerForDeserializer`1[T]", + "System.Management.Automation.TypeSerializerDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeDeserializerDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeSerializationInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.KnownTypes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SerializationUtilities, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WeakReferenceDictionary`1[T]", + "psprimitivedictionary", + "System.Management.Automation.SerializationStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SessionStateInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProcessMode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LocationChangedEventArgs", + "System.Management.Automation.SessionState", + "System.Management.Automation.SessionStateEntryVisibility", + "System.Management.Automation.IHasSessionStateEntryVisibility, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSLanguageMode", + "System.Management.Automation.SessionStateScope, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SessionStateScopeEnumerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.StringLiterals, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SessionStateConstants, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SessionStateUtilities, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "psvariable", + "System.Management.Automation.LocalVariable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NullVariable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScopedItemOptions", + "System.Management.Automation.SpecialVariables, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AutomaticVariable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PreferenceVariable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ThirdPartyAdapter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSPropertyAdapter", + "System.Management.Automation.ParameterSetMetadata", + "System.Management.Automation.ParameterMetadata", + "System.Management.Automation.InternalParameterMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PagingParameters", + "System.Management.Automation.Utils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSVariableAttributeCollection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSVariableIntrinsics", + "System.Management.Automation.VariablePathFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.VariablePath", + "System.Management.Automation.FunctionLookupPath, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.IInspectable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WinRTHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExtendedTypeDefinition", + "System.Management.Automation.FormatViewDefinition", + "System.Management.Automation.PSControl", + "System.Management.Automation.PSControlGroupBy", + "System.Management.Automation.DisplayEntry", + "System.Management.Automation.EntrySelectedBy", + "System.Management.Automation.Alignment", + "System.Management.Automation.DisplayEntryValueType", + "System.Management.Automation.CustomControl", + "System.Management.Automation.CustomControlEntry", + "System.Management.Automation.CustomItemBase", + "System.Management.Automation.CustomItemExpression", + "System.Management.Automation.CustomItemFrame", + "System.Management.Automation.CustomItemNewline", + "System.Management.Automation.CustomItemText", + "System.Management.Automation.CustomEntryBuilder", + "System.Management.Automation.CustomControlBuilder", + "System.Management.Automation.ListControl", + "System.Management.Automation.ListControlEntry", + "System.Management.Automation.ListControlEntryItem", + "System.Management.Automation.ListEntryBuilder", + "System.Management.Automation.ListControlBuilder", + "System.Management.Automation.TableControl", + "System.Management.Automation.TableControlColumnHeader", + "System.Management.Automation.TableControlColumn", + "System.Management.Automation.TableControlRow", + "System.Management.Automation.TableRowDefinitionBuilder", + "System.Management.Automation.TableControlBuilder", + "System.Management.Automation.WideControl", + "System.Management.Automation.WideControlEntryItem", + "System.Management.Automation.WideControlBuilder", + "System.Management.Automation.OutputRendering", + "System.Management.Automation.ProgressView", + "System.Management.Automation.PSStyle", + "System.Management.Automation.AliasHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AliasHelpProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.BaseCommandHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandHelpProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.UserDefinedHelpData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DefaultHelpProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DscResourceHelpProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpCommentsParser, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpErrorTracer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpFileHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpFileHelpProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpProviderWithCache, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpProviderWithFullCache, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpRequest, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpSystem, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpProgressEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpProviderInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpCategory, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MamlClassHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MamlCommandHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MamlNode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MamlUtil, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MUIFileSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SearchMode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProviderCommandHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProviderContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProviderHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProviderHelpProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSClassHelpProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptCommandHelpProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SyntaxHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LogContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LogProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DummyLogProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MshLog, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LogContextCache, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Severity, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProviderState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CmdletProviderContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LocationGlobber, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PathInfo", + "System.Management.Automation.PathInfoStack", + "System.Management.Automation.SigningOption", + "System.Management.Automation.SignatureHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CatalogValidationStatus", + "System.Management.Automation.CatalogInformation", + "System.Management.Automation.CatalogHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CredentialAttribute", + "System.Management.Automation.Win32Errors, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SignatureStatus", + "System.Management.Automation.SignatureType", + "System.Management.Automation.Signature", + "System.Management.Automation.CmsUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CmsMessageRecipient", + "System.Management.Automation.ResolutionPurpose", + "System.Management.Automation.AmsiUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RegistryStrings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSSnapInInfo", + "System.Management.Automation.PSSnapInReader, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AssertException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Diagnostics, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ClrFacade, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandNotFoundException", + "System.Management.Automation.ScriptRequiresException", + "System.Management.Automation.ApplicationFailedException", + "System.Management.Automation.ProviderCmdlet", + "System.Management.Automation.EncodingConversion, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ArgumentToEncodingTransformationAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ArgumentEncodingCompletionsAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CmdletInvocationException", + "System.Management.Automation.CmdletProviderInvocationException", + "System.Management.Automation.PipelineStoppedException", + "System.Management.Automation.PipelineClosedException", + "System.Management.Automation.ActionPreferenceStopException", + "System.Management.Automation.ParentContainsErrorRecordException", + "System.Management.Automation.RedirectedException", + "System.Management.Automation.ScriptCallDepthException", + "System.Management.Automation.PipelineDepthException", + "System.Management.Automation.HaltCommandException", + "System.Management.Automation.ExtensionMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EnumerableExtensions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSTypeExtensions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WeakReferenceExtensions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.FuzzyMatcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MetadataException", + "System.Management.Automation.ValidationMetadataException", + "System.Management.Automation.ArgumentTransformationMetadataException", + "System.Management.Automation.ParsingMetadataException", + "System.Management.Automation.PSArgumentException", + "System.Management.Automation.PSArgumentNullException", + "System.Management.Automation.PSArgumentOutOfRangeException", + "System.Management.Automation.PSInvalidOperationException", + "System.Management.Automation.PSNotImplementedException", + "System.Management.Automation.PSNotSupportedException", + "System.Management.Automation.PSObjectDisposedException", + "System.Management.Automation.PSTraceSource", + "System.Management.Automation.ParameterBindingException", + "System.Management.Automation.ParameterBindingValidationException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterBindingArgumentTransformationException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterBindingParameterDefaultValueException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParseException", + "System.Management.Automation.IncompleteParseException", + "System.Management.Automation.PathUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PinvokeDllNames, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PowerShellExecutionHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PowerShellExtensionHelpers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PsUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.StringToBase64Converter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CRC32Hash, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ReferenceEqualityComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ResourceManagerCache, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RuntimeException", + "System.Management.Automation.ProviderInvocationException", + "System.Management.Automation.SessionStateCategory", + "System.Management.Automation.SessionStateException", + "System.Management.Automation.SessionStateUnauthorizedAccessException", + "System.Management.Automation.ProviderNotFoundException", + "System.Management.Automation.ProviderNameAmbiguousException", + "System.Management.Automation.DriveNotFoundException", + "System.Management.Automation.ItemNotFoundException", + "System.Management.Automation.PSTraceSourceOptions", + "System.Management.Automation.ScopeTracer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TraceSourceAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MonadTraceSource, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.VerbsCommon", + "System.Management.Automation.VerbsData", + "System.Management.Automation.VerbsLifecycle", + "System.Management.Automation.VerbsDiagnostic", + "System.Management.Automation.VerbsCommunications", + "System.Management.Automation.VerbsSecurity", + "System.Management.Automation.VerbsOther", + "System.Management.Automation.VerbDescriptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.VerbAliasPrefixes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.VerbInfo", + "System.Management.Automation.Verbs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.VTUtility", + "System.Management.Automation.Tracing.PowerShellTraceEvent", + "System.Management.Automation.Tracing.PowerShellTraceChannel", + "System.Management.Automation.Tracing.PowerShellTraceLevel", + "System.Management.Automation.Tracing.PowerShellTraceOperationCode", + "System.Management.Automation.Tracing.PowerShellTraceTask", + "System.Management.Automation.Tracing.PowerShellTraceKeywords", + "System.Management.Automation.Tracing.BaseChannelWriter", + "System.Management.Automation.Tracing.NullWriter", + "System.Management.Automation.Tracing.PowerShellChannelWriter", + "System.Management.Automation.Tracing.PowerShellTraceSource", + "System.Management.Automation.Tracing.PowerShellTraceSourceFactory", + "System.Management.Automation.Tracing.EtwEvent", + "System.Management.Automation.Tracing.CallbackNoParameter", + "System.Management.Automation.Tracing.CallbackWithState", + "System.Management.Automation.Tracing.CallbackWithStateAndArgs", + "System.Management.Automation.Tracing.EtwEventArgs", + "System.Management.Automation.Tracing.EtwActivity", + "System.Management.Automation.Tracing.IEtwActivityReverter", + "System.Management.Automation.Tracing.EtwActivityReverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Tracing.EtwActivityReverterMethodInvoker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Tracing.IEtwEventCorrelator", + "System.Management.Automation.Tracing.EtwEventCorrelator", + "System.Management.Automation.Tracing.IMethodInvoker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Tracing.PSEtwLog, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Tracing.PSEtwLogProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Tracing.Tracer", + "System.Management.Automation.Win32Native.SafeCATAdminHandle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.SafeCATHandle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.SafeCATCDFHandle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustUIChoice, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustUnionChoice, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustAction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustProviderFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeConstants, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.SAFER_CODE_PROPERTIES, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.LARGE_INTEGER, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.HWND__, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.Anonymous_9320654f_2227_43bf_a385_74cc8c562686, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.Anonymous_947eb392_1446_4e25_bbd4_10e98165f3a9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.SystemScriptFileEnforcement", + "System.Management.Automation.Security.SystemEnforcementMode", + "System.Management.Automation.Security.SystemPolicy", + "System.Management.Automation.Provider.ContainerCmdletProvider", + "System.Management.Automation.Provider.DriveCmdletProvider", + "System.Management.Automation.Provider.IContentCmdletProvider", + "System.Management.Automation.Provider.IContentReader", + "System.Management.Automation.Provider.IContentWriter", + "System.Management.Automation.Provider.IDynamicPropertyCmdletProvider", + "System.Management.Automation.Provider.ISecurityDescriptorCmdletProvider", + "System.Management.Automation.Provider.IPropertyCmdletProvider", + "System.Management.Automation.Provider.ItemCmdletProvider", + "System.Management.Automation.Provider.NavigationCmdletProvider", + "System.Management.Automation.Provider.ICmdletProviderSupportsHelp", + "System.Management.Automation.Provider.CmdletProvider", + "System.Management.Automation.Provider.CmdletProviderAttribute", + "System.Management.Automation.Provider.ProviderCapabilities", + "System.Management.Automation.Help.PositionalParameterComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.DefaultCommandHelpObjectBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.CultureSpecificUpdatableHelp, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpModuleInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpSystemException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpExceptionContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpCommandType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpProgressEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpSystem, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpSystemDrive, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpUri, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Subsystem.GetPSSubsystemCommand", + "System.Management.Automation.Subsystem.SubsystemKind", + "System.Management.Automation.Subsystem.ISubsystem", + "System.Management.Automation.Subsystem.SubsystemInfo", + "System.Management.Automation.Subsystem.SubsystemInfoImpl`1[TConcreteSubsystem]", + "System.Management.Automation.Subsystem.SubsystemManager", + "System.Management.Automation.Subsystem.Prediction.PredictionResult", + "System.Management.Automation.Subsystem.Prediction.CommandPrediction", + "System.Management.Automation.Subsystem.Prediction.ICommandPredictor", + "System.Management.Automation.Subsystem.Prediction.PredictorFeedbackKind", + "System.Management.Automation.Subsystem.Prediction.PredictionClientKind", + "System.Management.Automation.Subsystem.Prediction.PredictionClient", + "System.Management.Automation.Subsystem.Prediction.PredictionContext", + "System.Management.Automation.Subsystem.Prediction.PredictiveSuggestion", + "System.Management.Automation.Subsystem.Prediction.SuggestionPackage", + "System.Management.Automation.Subsystem.Feedback.FeedbackResult", + "System.Management.Automation.Subsystem.Feedback.FeedbackHub", + "System.Management.Automation.Subsystem.Feedback.FeedbackTrigger", + "System.Management.Automation.Subsystem.Feedback.FeedbackDisplayLayout", + "System.Management.Automation.Subsystem.Feedback.FeedbackContext", + "System.Management.Automation.Subsystem.Feedback.FeedbackItem", + "System.Management.Automation.Subsystem.Feedback.IFeedbackProvider", + "System.Management.Automation.Subsystem.Feedback.GeneralCommandErrorFeedback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Subsystem.DSC.ICrossPlatformDsc", + "System.Management.Automation.Remoting.ClientMethodExecutor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ClientRemoteSessionContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ClientRemoteSession, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ClientRemoteSessionImpl, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ClientRemoteSessionDSHandlerStateMachine, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OriginInfo", + "System.Management.Automation.Remoting.BaseSessionDataStructureHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ClientRemoteSessionDataStructureHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ClientRemoteSessionDSHandlerImpl, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RunspaceRef, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ProxyAccessType", + "System.Management.Automation.Remoting.PSSessionOption", + "System.Management.Automation.Remoting.AsyncObject`1[T]", + "System.Management.Automation.Remoting.ServerDispatchTable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.DispatchTable`1[T]", + "System.Management.Automation.Remoting.FragmentedRemoteObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.SerializedDataStream, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Fragmentor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Indexer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ObjectRef`1[T]", + "System.Management.Automation.Remoting.CmdletMethodInvoker`1[T]", + "System.Management.Automation.Remoting.HyperVSocketEndPoint, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteSessionHyperVSocketServer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteSessionHyperVSocketClient, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.NamedPipeUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.NamedPipeNative, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ListenerEndedEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteSessionNamedPipeServer", + "System.Management.Automation.Remoting.NamedPipeClientBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteSessionNamedPipeClient, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ContainerSessionNamedPipeClient, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.PSRemotingErrorId, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.PSRemotingErrorInvariants, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.PSRemotingDataStructureException", + "System.Management.Automation.Remoting.PSRemotingTransportException", + "System.Management.Automation.Remoting.PSRemotingTransportRedirectException", + "System.Management.Automation.Remoting.PSDirectException", + "System.Management.Automation.Remoting.RunspacePoolInitInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OperationState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OperationStateEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.IThrottleOperation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ThrottleManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteDebuggingCapability, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteDebuggingCommands, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteHostCall, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteHostResponse, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteHostExceptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteHostEncoder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteSessionCapability, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.HostDefaultDataId, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.HostDefaultData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.HostInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteDataObject`1[T]", + "System.Management.Automation.Remoting.RemoteDataObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.TransportMethodEnum", + "System.Management.Automation.Remoting.TransportErrorOccuredEventArgs", + "System.Management.Automation.Remoting.ConnectionStatus, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ConnectionStatusEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.CreateCompleteEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.BaseTransportManager", + "System.Management.Automation.Remoting.ConfigurationDataFromXML, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.PSSessionConfiguration", + "System.Management.Automation.Remoting.DefaultRemotePowerShellConfiguration, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.SessionType", + "System.Management.Automation.Remoting.ConfigTypeEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ConfigFileConstants, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.DISCUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.DISCPowerShellConfiguration, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.DISCFileValidation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessTextWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.DataPriorityType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.PrioritySendDataCollection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ReceiveDataCollection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.PriorityReceiveDataCollection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.PSSenderInfo", + "System.Management.Automation.Remoting.PSPrincipal", + "System.Management.Automation.Remoting.PSIdentity", + "System.Management.Automation.Remoting.PSCertificateDetails", + "System.Management.Automation.Remoting.PSSessionConfigurationData", + "System.Management.Automation.Remoting.WSManPluginConstants, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginErrorCodes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginOperationShutdownContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginInstance, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginShellDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginReleaseShellContextDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginConnectDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginCommandDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginOperationShutdownDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginReleaseCommandContextDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginSendDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginReceiveDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginSignalDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WaitOrTimerCallbackDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManShutdownPluginDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginEntryDelegates, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginManagedEntryWrapper", + "System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper", + "System.Management.Automation.Remoting.WSManPluginServerSession, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginShellSession, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginCommandSession, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginServerTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginCommandTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteHostMethodId, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteHostMethodInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerMethodExecutor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerRemoteHost, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerDriverRemoteHost, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerRemoteHostRawUserInterface, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerRemoteHostUserInterface, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerRemoteSessionContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerRemoteSession, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerRemoteSessionDSHandlerStateMachine, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerRemoteSessionDataStructureHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerRemoteSessionDSHandlerImpl, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSMan.WSManServerChannelEvents", + "System.Management.Automation.Remoting.WSMan.ActiveSessionsChangedEventArgs", + "System.Management.Automation.Remoting.Server.AbstractServerTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.AbstractServerSessionTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.ServerOperationHelpers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.OutOfProcessServerSessionTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.OutOfProcessServerTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.OutOfProcessMediatorBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.StdIOProcessMediator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.NamedPipeProcessMediator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.FormattedErrorTextWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.HyperVSocketMediator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.HyperVSocketErrorTextWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.BaseClientTransportManager", + "System.Management.Automation.Remoting.Client.BaseClientSessionTransportManager", + "System.Management.Automation.Remoting.Client.BaseClientCommandTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.ClientSessionTransportManagerBase", + "System.Management.Automation.Remoting.Client.OutOfProcessClientSessionTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.HyperVSocketClientSessionTransportManagerBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.VMHyperVSocketClientSessionTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.ContainerHyperVSocketClientSessionTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.SSHClientSessionTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.NamedPipeClientSessionTransportManagerBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.NamedPipeClientSessionTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.ContainerNamedPipeClientSessionTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.OutOfProcessClientCommandTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.IWSManNativeApiFacade, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApiFacade, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManTransportManagerUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManClientCommandTransportManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Internal.PSStreamObjectType", + "System.Management.Automation.Remoting.Internal.PSStreamObject", + "System.Management.Automation.Configuration.ConfigScope", + "System.Management.Automation.Configuration.PowerShellConfig, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Configuration.PowerShellPolicies, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Configuration.PolicyBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Configuration.ScriptExecution, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Configuration.ScriptBlockLogging, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Configuration.ModuleLogging, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Configuration.Transcription, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Configuration.UpdatableHelp, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Configuration.ConsoleSessionConfiguration, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Configuration.ProtectedEventLogging, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddOvfInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NewArrayInitInstruction`1[TElement]", + "System.Management.Automation.Interpreter.NewArrayInstruction`1[TElement]", + "System.Management.Automation.Interpreter.NewArrayBoundsInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GetArrayItemInstruction`1[TElement]", + "System.Management.Automation.Interpreter.SetArrayItemInstruction`1[TElement]", + "System.Management.Automation.Interpreter.RuntimeLabel, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.BranchLabel, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.CallInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MethodInfoCallInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ActionCallInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ActionCallInstruction`1[T0]", + "System.Management.Automation.Interpreter.ActionCallInstruction`2[T0,T1]", + "System.Management.Automation.Interpreter.ActionCallInstruction`3[T0,T1,T2]", + "System.Management.Automation.Interpreter.ActionCallInstruction`4[T0,T1,T2,T3]", + "System.Management.Automation.Interpreter.ActionCallInstruction`5[T0,T1,T2,T3,T4]", + "System.Management.Automation.Interpreter.ActionCallInstruction`6[T0,T1,T2,T3,T4,T5]", + "System.Management.Automation.Interpreter.ActionCallInstruction`7[T0,T1,T2,T3,T4,T5,T6]", + "System.Management.Automation.Interpreter.ActionCallInstruction`8[T0,T1,T2,T3,T4,T5,T6,T7]", + "System.Management.Automation.Interpreter.ActionCallInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,T8]", + "System.Management.Automation.Interpreter.FuncCallInstruction`1[TRet]", + "System.Management.Automation.Interpreter.FuncCallInstruction`2[T0,TRet]", + "System.Management.Automation.Interpreter.FuncCallInstruction`3[T0,T1,TRet]", + "System.Management.Automation.Interpreter.FuncCallInstruction`4[T0,T1,T2,TRet]", + "System.Management.Automation.Interpreter.FuncCallInstruction`5[T0,T1,T2,T3,TRet]", + "System.Management.Automation.Interpreter.FuncCallInstruction`6[T0,T1,T2,T3,T4,TRet]", + "System.Management.Automation.Interpreter.FuncCallInstruction`7[T0,T1,T2,T3,T4,T5,TRet]", + "System.Management.Automation.Interpreter.FuncCallInstruction`8[T0,T1,T2,T3,T4,T5,T6,TRet]", + "System.Management.Automation.Interpreter.FuncCallInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,TRet]", + "System.Management.Automation.Interpreter.FuncCallInstruction`10[T0,T1,T2,T3,T4,T5,T6,T7,T8,TRet]", + "System.Management.Automation.Interpreter.OffsetInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.BranchFalseInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.BranchTrueInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.CoalescingBranchInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.BranchInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.IndexedBranchInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GotoInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EnterTryCatchFinallyInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EnterFinallyInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LeaveFinallyInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EnterExceptionHandlerInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LeaveExceptionHandlerInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LeaveFaultInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ThrowInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SwitchInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EnterLoopInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.CompiledLoopInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DivInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DynamicInstructionN, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DynamicInstruction`1[TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`2[T0,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`3[T0,T1,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`4[T0,T1,T2,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`5[T0,T1,T2,T3,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`6[T0,T1,T2,T3,T4,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`7[T0,T1,T2,T3,T4,T5,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`8[T0,T1,T2,T3,T4,T5,T6,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`10[T0,T1,T2,T3,T4,T5,T6,T7,T8,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`11[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`12[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`13[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`14[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`15[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TRet]", + "System.Management.Automation.Interpreter.DynamicInstruction`16[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TRet]", + "System.Management.Automation.Interpreter.DynamicSplatInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoadStaticFieldInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoadFieldInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.StoreFieldInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.StoreStaticFieldInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ILightCallSiteBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.IInstructionProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.Instruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InstructionFactory, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InstructionFactory`1[T]", + "System.Management.Automation.Interpreter.InstructionArray, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InstructionList, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InterpretedFrame, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.Interpreter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LabelInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LabelScopeKind, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LabelScopeInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ExceptionHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.TryCatchFinallyHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.RethrowException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DebugInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InterpretedFrameInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightCompiler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightDelegateCreator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightLambdaCompileEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightLambda, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightLambdaClosureVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.IBoxableInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LocalAccessInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoadLocalInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoadLocalBoxedInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoadLocalFromClosureInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoadLocalFromClosureBoxedInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AssignLocalInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.StoreLocalInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AssignLocalBoxedInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.StoreLocalBoxedInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AssignLocalToClosureInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InitializeLocalInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.RuntimeVariablesInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LocalVariable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LocalDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LocalVariables, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoopCompiler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulOvfInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NumericConvertInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.UpdatePositionInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.RuntimeVariables, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoadObjectInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoadCachedObjectInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.PopInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DupInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubOvfInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.CreateDelegateInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NewInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DefaultValueInstruction`1[T]", + "System.Management.Automation.Interpreter.TypeIsInstruction`1[T]", + "System.Management.Automation.Interpreter.TypeAsInstruction`1[T]", + "System.Management.Automation.Interpreter.TypeEqualsInstruction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.TypeUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ArrayUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DelegateHelpers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ScriptingRuntimeHelpers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ArgumentArray, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ExceptionHelpers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.HybridReferenceDictionary`2[TKey,TValue]", + "System.Management.Automation.Interpreter.CacheDict`2[TKey,TValue]", + "System.Management.Automation.Interpreter.ThreadLocal`1[T]", + "System.Management.Automation.Interpreter.Assert, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ExpressionAccess, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.Utils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.CollectionExtension, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.ListEqualityComparer`1[T]", + "System.Management.Automation.PSTasks.PSTask, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSTasks.PSJobTask, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSTasks.PSTaskBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSTasks.PSTaskDataStreamWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSTasks.PSTaskPool, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSTasks.PSTaskJob", + "System.Management.Automation.PSTasks.PSTaskChildDebugger, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSTasks.PSTaskChildJob, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Host.ChoiceDescription", + "System.Management.Automation.Host.FieldDescription", + "System.Management.Automation.Host.PSHost", + "System.Management.Automation.Host.IHostSupportsInteractiveSession", + "System.Management.Automation.Host.Coordinates", + "System.Management.Automation.Host.Size", + "System.Management.Automation.Host.ReadKeyOptions", + "System.Management.Automation.Host.ControlKeyStates", + "System.Management.Automation.Host.KeyInfo", + "System.Management.Automation.Host.Rectangle", + "System.Management.Automation.Host.BufferCell", + "System.Management.Automation.Host.BufferCellType", + "System.Management.Automation.Host.PSHostRawUserInterface", + "System.Management.Automation.Host.PSHostUserInterface", + "System.Management.Automation.Host.TranscriptionData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Host.TranscriptionOption, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Host.IHostUISupportsMultipleChoiceSelection", + "System.Management.Automation.Host.HostUIHelperMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Host.HostException", + "System.Management.Automation.Host.PromptingException", + "System.Management.Automation.Runspaces.AsyncResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Command", + "System.Management.Automation.Runspaces.PipelineResultTypes", + "System.Management.Automation.Runspaces.CommandCollection", + "System.Management.Automation.Runspaces.InvalidRunspaceStateException", + "System.Management.Automation.Runspaces.RunspaceState", + "System.Management.Automation.Runspaces.PSThreadOptions", + "System.Management.Automation.Runspaces.RunspaceStateInfo", + "System.Management.Automation.Runspaces.RunspaceStateEventArgs", + "System.Management.Automation.Runspaces.RunspaceAvailability", + "System.Management.Automation.Runspaces.RunspaceAvailabilityEventArgs", + "System.Management.Automation.Runspaces.RunspaceCapability", + "runspace", + "System.Management.Automation.Runspaces.SessionStateProxy", + "System.Management.Automation.Runspaces.RunspaceBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "runspacefactory", + "System.Management.Automation.Runspaces.LocalRunspace, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.StopJobOperationHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.CloseOrDisconnectRunspaceOperationHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.RunspaceOpenModuleLoadException", + "System.Management.Automation.Runspaces.LocalPipeline, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PipelineThread, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PipelineStopper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.CommandParameter", + "System.Management.Automation.Runspaces.CommandParameterCollection", + "System.Management.Automation.Runspaces.InvalidPipelineStateException", + "System.Management.Automation.Runspaces.PipelineState", + "System.Management.Automation.Runspaces.PipelineStateInfo", + "System.Management.Automation.Runspaces.PipelineStateEventArgs", + "System.Management.Automation.Runspaces.Pipeline", + "System.Management.Automation.Runspaces.PipelineBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellProcessInstance", + "System.Management.Automation.Runspaces.InvalidRunspacePoolStateException", + "System.Management.Automation.Runspaces.RunspacePoolState", + "System.Management.Automation.Runspaces.RunspacePoolStateChangedEventArgs", + "System.Management.Automation.Runspaces.RunspaceCreatedEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.RunspacePoolAvailability", + "System.Management.Automation.Runspaces.RunspacePoolCapability", + "System.Management.Automation.Runspaces.RunspacePoolAsyncResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.GetRunspaceAsyncResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.RunspacePool", + "System.Management.Automation.Runspaces.EarlyStartup, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.InitialSessionStateEntry", + "System.Management.Automation.Runspaces.ConstrainedSessionStateEntry", + "System.Management.Automation.Runspaces.SessionStateCommandEntry", + "System.Management.Automation.Runspaces.SessionStateTypeEntry", + "System.Management.Automation.Runspaces.SessionStateFormatEntry", + "System.Management.Automation.Runspaces.SessionStateAssemblyEntry", + "System.Management.Automation.Runspaces.SessionStateCmdletEntry", + "System.Management.Automation.Runspaces.SessionStateProviderEntry", + "System.Management.Automation.Runspaces.SessionStateScriptEntry", + "System.Management.Automation.Runspaces.SessionStateAliasEntry", + "System.Management.Automation.Runspaces.SessionStateApplicationEntry", + "System.Management.Automation.Runspaces.SessionStateFunctionEntry", + "System.Management.Automation.Runspaces.SessionStateVariableEntry", + "System.Management.Automation.Runspaces.InitialSessionStateEntryCollection`1[T]", + "initialsessionstate", + "System.Management.Automation.Runspaces.PSSnapInHelpers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.RunspaceEventSource, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.TargetMachineType", + "System.Management.Automation.Runspaces.PSSession", + "System.Management.Automation.Runspaces.RemotingErrorRecord", + "System.Management.Automation.Runspaces.RemotingProgressRecord", + "System.Management.Automation.Runspaces.RemotingWarningRecord", + "System.Management.Automation.Runspaces.RemotingDebugRecord", + "System.Management.Automation.Runspaces.RemotingVerboseRecord", + "System.Management.Automation.Runspaces.RemotingInformationRecord", + "System.Management.Automation.Runspaces.AuthenticationMechanism", + "System.Management.Automation.Runspaces.PSSessionConfigurationAccessMode", + "System.Management.Automation.Runspaces.OutputBufferingMode", + "System.Management.Automation.Runspaces.RunspaceConnectionInfo", + "System.Management.Automation.Runspaces.WSManConnectionInfo", + "System.Management.Automation.Runspaces.NewProcessConnectionInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.NamedPipeConnectionInfo", + "System.Management.Automation.Runspaces.SSHConnectionInfo", + "System.Management.Automation.Runspaces.VMConnectionInfo", + "System.Management.Automation.Runspaces.ContainerConnectionInfo", + "System.Management.Automation.Runspaces.ContainerProcess, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.TypesPs1xmlReader, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.ConsolidatedString, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.LoadContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.TypeTableLoadException", + "System.Management.Automation.Runspaces.TypeData", + "System.Management.Automation.Runspaces.TypeMemberData", + "System.Management.Automation.Runspaces.NotePropertyData", + "System.Management.Automation.Runspaces.AliasPropertyData", + "System.Management.Automation.Runspaces.ScriptPropertyData", + "System.Management.Automation.Runspaces.CodePropertyData", + "System.Management.Automation.Runspaces.ScriptMethodData", + "System.Management.Automation.Runspaces.CodeMethodData", + "System.Management.Automation.Runspaces.PropertySetData", + "System.Management.Automation.Runspaces.MemberSetData", + "System.Management.Automation.Runspaces.TypeTable", + "System.Management.Automation.Runspaces.FormatTableLoadException", + "System.Management.Automation.Runspaces.FormatTable", + "System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Event_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Registry_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PSConsoleLoadException", + "System.Management.Automation.Runspaces.PSSnapInException", + "System.Management.Automation.Runspaces.PSSnapInTypeAndFormatErrors, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.FormatAndTypeDataHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PipelineReader`1[T]", + "System.Management.Automation.Runspaces.PipelineWriter", + "System.Management.Automation.Runspaces.DiscardingPipelineWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Internal.RunspacePoolInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Internal.ClientRemotePowerShell, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Internal.PSConnectionRetryStatus, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Internal.PSConnectionRetryStatusEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Internal.RemoteRunspacePoolInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Internal.ConnectCommandInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Internal.RemoteRunspacePoolEnumeration, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.AstParameterArgumentType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.AstParameterArgumentPair, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PipeObjectPair, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.AstArrayPair, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.FakePair, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SwitchPair, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.AstPair, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.StaticParameterBinder", + "System.Management.Automation.Language.StaticBindingResult", + "System.Management.Automation.Language.ParameterBindingResult", + "System.Management.Automation.Language.StaticBindingError", + "System.Management.Automation.Language.PseudoBindingInfoType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PseudoBindingInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PseudoParameterBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.CodeGeneration", + "NullString", + "System.Management.Automation.Language.ISupportsAssignment, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.IAssignableValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.IParameterMetadataProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Ast", + "System.Management.Automation.Language.SequencePointAst, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ErrorStatementAst", + "System.Management.Automation.Language.ErrorExpressionAst", + "System.Management.Automation.Language.ScriptRequirements", + "System.Management.Automation.Language.ScriptBlockAst", + "System.Management.Automation.Language.ParamBlockAst", + "System.Management.Automation.Language.NamedBlockAst", + "System.Management.Automation.Language.NamedAttributeArgumentAst", + "System.Management.Automation.Language.AttributeBaseAst", + "System.Management.Automation.Language.AttributeAst", + "System.Management.Automation.Language.TypeConstraintAst", + "System.Management.Automation.Language.ParameterAst", + "System.Management.Automation.Language.StatementBlockAst", + "System.Management.Automation.Language.StatementAst", + "System.Management.Automation.Language.TypeAttributes", + "System.Management.Automation.Language.TypeDefinitionAst", + "System.Management.Automation.Language.UsingStatementKind", + "System.Management.Automation.Language.UsingStatementAst", + "System.Management.Automation.Language.MemberAst", + "System.Management.Automation.Language.PropertyAttributes", + "System.Management.Automation.Language.PropertyMemberAst", + "System.Management.Automation.Language.MethodAttributes", + "System.Management.Automation.Language.FunctionMemberAst", + "System.Management.Automation.Language.SpecialMemberFunctionType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.CompilerGeneratedMemberFunctionAst, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.FunctionDefinitionAst", + "System.Management.Automation.Language.IfStatementAst", + "System.Management.Automation.Language.DataStatementAst", + "System.Management.Automation.Language.LabeledStatementAst", + "System.Management.Automation.Language.LoopStatementAst", + "System.Management.Automation.Language.ForEachFlags", + "System.Management.Automation.Language.ForEachStatementAst", + "System.Management.Automation.Language.ForStatementAst", + "System.Management.Automation.Language.DoWhileStatementAst", + "System.Management.Automation.Language.DoUntilStatementAst", + "System.Management.Automation.Language.WhileStatementAst", + "System.Management.Automation.Language.SwitchFlags", + "System.Management.Automation.Language.SwitchStatementAst", + "System.Management.Automation.Language.CatchClauseAst", + "System.Management.Automation.Language.TryStatementAst", + "System.Management.Automation.Language.TrapStatementAst", + "System.Management.Automation.Language.BreakStatementAst", + "System.Management.Automation.Language.ContinueStatementAst", + "System.Management.Automation.Language.ReturnStatementAst", + "System.Management.Automation.Language.ExitStatementAst", + "System.Management.Automation.Language.ThrowStatementAst", + "System.Management.Automation.Language.ChainableAst", + "System.Management.Automation.Language.PipelineChainAst", + "System.Management.Automation.Language.PipelineBaseAst", + "System.Management.Automation.Language.PipelineAst", + "System.Management.Automation.Language.CommandElementAst", + "System.Management.Automation.Language.CommandParameterAst", + "System.Management.Automation.Language.CommandBaseAst", + "System.Management.Automation.Language.CommandAst", + "System.Management.Automation.Language.CommandExpressionAst", + "System.Management.Automation.Language.RedirectionAst", + "System.Management.Automation.Language.RedirectionStream", + "System.Management.Automation.Language.MergingRedirectionAst", + "System.Management.Automation.Language.FileRedirectionAst", + "System.Management.Automation.Language.AssignmentStatementAst", + "System.Management.Automation.Language.ConfigurationType", + "System.Management.Automation.Language.ConfigurationDefinitionAst", + "System.Management.Automation.Language.DynamicKeywordStatementAst", + "System.Management.Automation.Language.ExpressionAst", + "System.Management.Automation.Language.TernaryExpressionAst", + "System.Management.Automation.Language.BinaryExpressionAst", + "System.Management.Automation.Language.UnaryExpressionAst", + "System.Management.Automation.Language.BlockStatementAst", + "System.Management.Automation.Language.AttributedExpressionAst", + "System.Management.Automation.Language.ConvertExpressionAst", + "System.Management.Automation.Language.MemberExpressionAst", + "System.Management.Automation.Language.InvokeMemberExpressionAst", + "System.Management.Automation.Language.BaseCtorInvokeMemberExpressionAst", + "System.Management.Automation.Language.ITypeName", + "System.Management.Automation.Language.ISupportsTypeCaching, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeName", + "System.Management.Automation.Language.GenericTypeName", + "System.Management.Automation.Language.ArrayTypeName", + "System.Management.Automation.Language.ReflectionTypeName", + "System.Management.Automation.Language.TypeExpressionAst", + "System.Management.Automation.Language.VariableExpressionAst", + "System.Management.Automation.Language.ConstantExpressionAst", + "System.Management.Automation.Language.StringConstantType", + "System.Management.Automation.Language.StringConstantExpressionAst", + "System.Management.Automation.Language.ExpandableStringExpressionAst", + "System.Management.Automation.Language.ScriptBlockExpressionAst", + "System.Management.Automation.Language.ArrayLiteralAst", + "System.Management.Automation.Language.HashtableAst", + "System.Management.Automation.Language.ArrayExpressionAst", + "System.Management.Automation.Language.ParenExpressionAst", + "System.Management.Automation.Language.SubExpressionAst", + "System.Management.Automation.Language.UsingExpressionAst", + "System.Management.Automation.Language.IndexExpressionAst", + "System.Management.Automation.Language.CommentHelpInfo", + "System.Management.Automation.Language.ICustomAstVisitor", + "System.Management.Automation.Language.ICustomAstVisitor2", + "System.Management.Automation.Language.AstSearcher, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.DefaultCustomAstVisitor", + "System.Management.Automation.Language.DefaultCustomAstVisitor2", + "System.Management.Automation.Language.SpecialChars, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.CharTraits, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.CharExtensions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.CachedReflectionInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ExpressionCache, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ExpressionExtensions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.FunctionContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.MemberAssignableValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.InvokeMemberAssignableValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.IndexAssignableValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ArrayAssignableValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PowerShellLoopExpression, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.EnterLoopExpression, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.UpdatePositionExpr, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.IsConstantValueVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ConstantValueVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ParseMode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Parser", + "System.Management.Automation.Language.ParseError", + "System.Management.Automation.Language.ParserEventSource, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.IScriptPosition", + "System.Management.Automation.Language.IScriptExtent", + "System.Management.Automation.Language.PositionUtilities, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PositionHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.InternalScriptPosition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.InternalScriptExtent, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.EmptyScriptPosition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.EmptyScriptExtent, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ScriptPosition", + "System.Management.Automation.Language.ScriptExtent", + "System.Management.Automation.Language.AstVisitAction", + "System.Management.Automation.Language.AstVisitor", + "System.Management.Automation.Language.AstVisitor2", + "System.Management.Automation.Language.IAstPostVisitHandler", + "System.Management.Automation.Language.TypeDefiner, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "NoRunspaceAffinity", + "System.Management.Automation.Language.IsSafeValueVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.GetSafeValueVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SemanticChecks, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.DscResourceChecker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.RestrictedLanguageChecker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ScopeType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeLookupResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Scope, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SymbolTable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SymbolResolver, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SymbolResolvePostActionVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TokenKind", + "System.Management.Automation.Language.TokenFlags", + "System.Management.Automation.Language.TokenTraits", + "System.Management.Automation.Language.Token", + "System.Management.Automation.Language.NumberToken", + "System.Management.Automation.Language.ParameterToken", + "System.Management.Automation.Language.VariableToken", + "System.Management.Automation.Language.StringToken", + "System.Management.Automation.Language.StringLiteralToken", + "System.Management.Automation.Language.StringExpandableToken", + "System.Management.Automation.Language.LabelToken", + "System.Management.Automation.Language.RedirectionToken", + "System.Management.Automation.Language.InputRedirectionToken", + "System.Management.Automation.Language.MergingRedirectionToken", + "System.Management.Automation.Language.FileRedirectionToken", + "System.Management.Automation.Language.UnscannedSubExprToken, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.DynamicKeywordNameMode", + "System.Management.Automation.Language.DynamicKeywordBodyMode", + "System.Management.Automation.Language.DynamicKeyword", + "System.Management.Automation.Language.DynamicKeywordExtension, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.DynamicKeywordProperty", + "System.Management.Automation.Language.DynamicKeywordParameter", + "System.Management.Automation.Language.TokenizerMode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.NumberSuffixFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.NumberFormat, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TokenizerState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Tokenizer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeResolver, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeResolutionState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeCache, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariablePathExtensions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysisDetails, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.FindAllVariablesVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.DynamicMetaObjectExtensions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.DynamicMetaObjectBinderExtensions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.BinderUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSEnumerableBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSToObjectArrayBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSPipeWriterBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSArrayAssignmentRHSBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSToStringBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSPipelineResultToBoolBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeDynamicMemberBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSDynamicGetOrSetBinderKeyComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSGetDynamicMemberBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSSetDynamicMemberBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSSwitchClauseEvalBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSAttributeGenerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSCustomObjectConverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSDynamicConvertBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSVariableAssignmentBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSBinaryOperationBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSUnaryOperationBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSConvertBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSGetIndexBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSSetIndexBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSGetMemberBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSSetMemberBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeMemberBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSCreateInstanceBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeBaseCtorBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.ComEventsSink, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.ComEventsMethod, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.IDispatch, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.InvokeFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.Variant, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.BoolArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.BoundDispEvent, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.CollectionExtensions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComBinderHelpers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComClassMetaObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComEventDesc, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComEventSinksContainer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComFallbackMetaObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComUnwrappedMetaObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComHresults, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.IDispatch, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.IProvideClassInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComDispIds, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComInvokeAction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.SplatInvokeBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComInvokeBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComMetaObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComMethodDesc, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComRuntimeHelpers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.UnsafeMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComTypeClassDesc, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComTypeDesc, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComTypeEnumDesc, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComTypeLibDesc, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ConversionArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ConvertArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ConvertibleArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.CurrencyArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.DateTimeArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.DispatchArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.DispCallable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.DispCallableMetaObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ErrorArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.Error, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ExcepInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.Helpers, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.Requires, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.IDispatchComObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.IDispatchMetaObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.IPseudoComObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.NullArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.SimpleArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.SplatCallSite, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.StringArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.TypeEnumMetaObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.TypeLibMetaObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.TypeUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.UnknownArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.VarEnumSelector, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.VariantArgBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.VariantArray1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.VariantArray2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.VariantArray4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.VariantArray8, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.VariantArray, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.VariantBuilder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSTransactionManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PowerShellModuleAssemblyAnalyzer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CmdletMetadataAttribute", + "System.Management.Automation.Internal.ParsingBaseAttribute", + "System.Management.Automation.Internal.AutomationNull", + "System.Management.Automation.Internal.InternalCommand", + "System.Management.Automation.Internal.CommonParameters", + "System.Management.Automation.Internal.DebuggerUtils", + "System.Management.Automation.Internal.PSMonitorRunspaceType", + "System.Management.Automation.Internal.PSMonitorRunspaceInfo", + "System.Management.Automation.Internal.PSStandaloneMonitorRunspaceInfo", + "System.Management.Automation.Internal.PSEmbeddedMonitorRunspaceInfo", + "System.Management.Automation.Internal.ModuleUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CommandScore, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.VariableStreamKind, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.Pipe, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PipelineProcessor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ClientRunspacePoolDataStructureHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ClientPowerShellDataStructureHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.InformationalMessage, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.RobustConnectionProgress, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSKeyword, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSLevel, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSOpcode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSEventId, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSChannel, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSTask, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSEventVersion, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSETWBinaryBlob, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.SessionStateKeeper", + "System.Management.Automation.Internal.ScriptBlockMemberMethodWrapper", + "System.Management.Automation.Internal.ClassOps", + "System.Management.Automation.Internal.ShouldProcessParameters", + "System.Management.Automation.Internal.TransactionParameters", + "System.Management.Automation.Internal.InternalTestHooks", + "System.Management.Automation.Internal.HistoryStack`1[T]", + "System.Management.Automation.Internal.BoundedStack`1[T]", + "System.Management.Automation.Internal.ReadOnlyBag`1[T]", + "System.Management.Automation.Internal.Requires, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.StringDecorated", + "System.Management.Automation.Internal.ValueStringDecorated, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ICabinetExtractor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ICabinetExtractorLoader, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetExtractorFactory, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.EmptyCabinetExtractor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetExtractor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetExtractorLoader, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.AlternateStreamData", + "System.Management.Automation.Internal.AlternateDataStreamUtilities", + "System.Management.Automation.Internal.CopyFileRemoteUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.SaferPolicy, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.SecuritySupport", + "System.Management.Automation.Internal.CertificateFilterInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSCryptoNativeConverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSCryptoException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSRSACryptoServiceProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSRemotingCryptoHelper", + "System.Management.Automation.Internal.PSRemotingCryptoHelperServer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSRemotingCryptoHelperClient, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.TestHelperSession, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.GraphicalHostReflectionWrapper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ObjectReaderBase`1[T]", + "System.Management.Automation.Internal.ObjectReader, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSObjectReader, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSDataCollectionReader`2[T,TResult]", + "System.Management.Automation.Internal.PSDataCollectionPipelineReader`2[T,TReturn]", + "System.Management.Automation.Internal.ObjectStreamBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ObjectStream, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSDataCollectionStream`1[T]", + "System.Management.Automation.Internal.ObjectWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PSDataCollectionWriter`1[T]", + "System.Management.Automation.Internal.StringUtil, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.Host.InternalHost, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.Host.InternalHostRawUserInterface, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.Host.InternalHostUserInterface, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.NativeCultureResolver, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.ToStringCodeMethods", + "Microsoft.PowerShell.AdapterCodeMethods", + "Microsoft.PowerShell.DefaultHost, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.ProcessCodeMethods", + "Microsoft.PowerShell.DeserializingTypeConverter", + "Microsoft.PowerShell.SecureStringHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.EncryptionResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DataProtectionScope, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.ProtectedData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.CAPI, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.PSAuthorizationManager", + "Microsoft.PowerShell.ExecutionPolicy", + "Microsoft.PowerShell.ExecutionPolicyScope", + "Microsoft.PowerShell.Telemetry.TelemetryType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Telemetry.NameObscurerTelemetryInitializer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry", + "Microsoft.PowerShell.DesiredStateConfiguration.ArgumentToConfigurationDataTransformationAttribute", + "Microsoft.PowerShell.DesiredStateConfiguration.CimDSCParser, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscRemoteOperationsClass", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCacheEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache", + "Microsoft.PowerShell.Commands.EnableDisableExperimentalFeatureCommandBase", + "Microsoft.PowerShell.Commands.EnableExperimentalFeatureCommand", + "Microsoft.PowerShell.Commands.DisableExperimentalFeatureCommand", + "Microsoft.PowerShell.Commands.ExperimentalFeatureConfigHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter", + "Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand", + "Microsoft.PowerShell.Commands.GetCommandCommand", + "Microsoft.PowerShell.Commands.NounArgumentCompleter", + "Microsoft.PowerShell.Commands.HistoryInfo", + "Microsoft.PowerShell.Commands.History, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetHistoryCommand", + "Microsoft.PowerShell.Commands.InvokeHistoryCommand", + "Microsoft.PowerShell.Commands.AddHistoryCommand", + "Microsoft.PowerShell.Commands.ClearHistoryCommand", + "Microsoft.PowerShell.Commands.DynamicPropertyGetter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ForEachObjectCommand", + "Microsoft.PowerShell.Commands.WhereObjectCommand", + "Microsoft.PowerShell.Commands.SetPSDebugCommand", + "Microsoft.PowerShell.Commands.SetStrictModeCommand", + "Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter", + "Microsoft.PowerShell.Commands.ExportModuleMemberCommand", + "Microsoft.PowerShell.Commands.GetModuleCommand", + "Microsoft.PowerShell.Commands.PSEditionArgumentCompleter", + "Microsoft.PowerShell.Commands.ImportModuleCommand", + "Microsoft.PowerShell.Commands.ModuleCmdletBase", + "Microsoft.PowerShell.Commands.BinaryAnalysisResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ModuleSpecification", + "Microsoft.PowerShell.Commands.ModuleSpecificationComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewModuleCommand", + "Microsoft.PowerShell.Commands.NewModuleManifestCommand", + "Microsoft.PowerShell.Commands.RemoveModuleCommand", + "Microsoft.PowerShell.Commands.TestModuleManifestCommand", + "Microsoft.PowerShell.Commands.ObjectEventRegistrationBase", + "Microsoft.PowerShell.Commands.ConnectPSSessionCommand", + "Microsoft.PowerShell.Commands.RegisterPSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.PSSessionConfigurationCommandUtilities, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSSessionConfigurationCommandBase", + "Microsoft.PowerShell.Commands.UnregisterPSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.GetPSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.SetPSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.EnablePSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.DisablePSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.EnablePSRemotingCommand", + "Microsoft.PowerShell.Commands.DisablePSRemotingCommand", + "Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand", + "Microsoft.PowerShell.Commands.DebugJobCommand", + "Microsoft.PowerShell.Commands.DisconnectPSSessionCommand", + "Microsoft.PowerShell.Commands.EnterPSHostProcessCommand", + "Microsoft.PowerShell.Commands.ExitPSHostProcessCommand", + "Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand", + "Microsoft.PowerShell.Commands.PSHostProcessInfo", + "Microsoft.PowerShell.Commands.PSHostProcessUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetJobCommand", + "Microsoft.PowerShell.Commands.GetPSSessionCommand", + "Microsoft.PowerShell.Commands.InvokeCommandCommand", + "Microsoft.PowerShell.Commands.NewPSSessionConfigurationFileCommand", + "Microsoft.PowerShell.Commands.NewPSRoleCapabilityFileCommand", + "Microsoft.PowerShell.Commands.SessionConfigurationUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.WSManConfigurationOption", + "Microsoft.PowerShell.Commands.NewPSTransportOptionCommand", + "Microsoft.PowerShell.Commands.NewPSSessionOptionCommand", + "Microsoft.PowerShell.Commands.NewPSSessionCommand", + "Microsoft.PowerShell.Commands.OpenRunspaceOperation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ExitPSSessionCommand", + "Microsoft.PowerShell.Commands.PSRemotingCmdlet", + "Microsoft.PowerShell.Commands.SSHConnection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet", + "Microsoft.PowerShell.Commands.PSExecutionCmdlet", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet", + "Microsoft.PowerShell.Commands.ExecutionCmdletHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ExecutionCmdletHelperRunspace, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ExecutionCmdletHelperComputerName, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PathResolver, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.QueryRunspaces, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.SessionFilterState", + "Microsoft.PowerShell.Commands.EnterPSSessionCommand", + "Microsoft.PowerShell.Commands.ReceiveJobCommand", + "Microsoft.PowerShell.Commands.OutputProcessingState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ReceivePSSessionCommand", + "Microsoft.PowerShell.Commands.OutTarget", + "Microsoft.PowerShell.Commands.RunspaceParameterSet, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.RemotingCommandUtil, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.JobCmdletBase", + "Microsoft.PowerShell.Commands.RemoveJobCommand", + "Microsoft.PowerShell.Commands.RemovePSSessionCommand", + "Microsoft.PowerShell.Commands.StartJobCommand", + "Microsoft.PowerShell.Commands.StopJobCommand", + "Microsoft.PowerShell.Commands.TestPSSessionConfigurationFileCommand", + "Microsoft.PowerShell.Commands.WaitJobCommand", + "Microsoft.PowerShell.Commands.OpenMode", + "Microsoft.PowerShell.Commands.EnumerableExpansionConversion, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FormatXmlWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSPropertyExpressionResult", + "pspropertyexpression", + "Microsoft.PowerShell.Commands.FormatDefaultCommand", + "Microsoft.PowerShell.Commands.OutNullCommand", + "Microsoft.PowerShell.Commands.OutDefaultCommand", + "Microsoft.PowerShell.Commands.OutHostCommand", + "Microsoft.PowerShell.Commands.OutLineOutputCommand", + "Microsoft.PowerShell.Commands.HelpCategoryInvalidException", + "Microsoft.PowerShell.Commands.GetHelpCommand", + "Microsoft.PowerShell.Commands.GetHelpCodeMethods", + "Microsoft.PowerShell.Commands.HelpNotFoundException", + "Microsoft.PowerShell.Commands.SaveHelpCommand", + "Microsoft.PowerShell.Commands.ArgumentToModuleTransformationAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.UpdatableHelpCommandBase", + "Microsoft.PowerShell.Commands.UpdateHelpScope", + "Microsoft.PowerShell.Commands.UpdateHelpCommand", + "Microsoft.PowerShell.Commands.AliasProvider", + "Microsoft.PowerShell.Commands.AliasProviderDynamicParameters", + "Microsoft.PowerShell.Commands.EnvironmentProvider", + "Microsoft.PowerShell.Commands.FileSystemContentReaderWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileStreamBackReader, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.BackReaderEncodingNotSupportedException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemProvider", + "Microsoft.PowerShell.Commands.SafeInvokeCommand, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.CopyItemDynamicParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetChildDynamicParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemContentDynamicParametersBase", + "Microsoft.PowerShell.Commands.FileSystemClearContentDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemContentWriterDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemContentReaderDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemItemProviderDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemProviderGetItemDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemProviderRemoveItemDynamicParameters", + "Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods", + "Microsoft.PowerShell.Commands.FunctionProvider", + "Microsoft.PowerShell.Commands.FunctionProviderDynamicParameters", + "Microsoft.PowerShell.Commands.RegistryProvider", + "Microsoft.PowerShell.Commands.RegistryProviderSetItemDynamicParameter", + "Microsoft.PowerShell.Commands.IRegistryWrapper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.RegistryWrapperUtils, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.RegistryWrapper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.TransactedRegistryWrapper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.SessionStateProviderBase", + "Microsoft.PowerShell.Commands.SessionStateProviderBaseContentReaderWriter", + "Microsoft.PowerShell.Commands.VariableProvider", + "Microsoft.PowerShell.Commands.CertificatePurpose, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.TransactedRegistryKey, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.TransactedRegistry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.TransactedRegistrySecurity, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.RemotingErrorResources", + "Microsoft.PowerShell.Commands.Internal.Win32Native, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TerminatingErrorContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.CommandWrapper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FrontEndCommandBase", + "Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommandBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommand, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OuterFormatShapeCommandBase", + "Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableAndListBase", + "Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableBase", + "Microsoft.PowerShell.Commands.Internal.Format.FormattingCommandLineParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ShapeSpecificParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableSpecificParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.WideSpecificParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexSpecificParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ExpressionEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.AlignmentEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.WidthEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.LabelEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatStringDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.BooleanEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatParameterDefinitionKeys, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatGroupByParameterDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatParameterDefinitionBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatTableParameterDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatListParameterDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatWideParameterDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatObjectParameterDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ColumnWidthManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.IndentationManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.GetWordsResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.EnumerableExpansion, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DatabaseLoadingInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DefaultSettingsSection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatErrorPolicy, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ShapeSelectionDirectives, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatShape, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatShapeSelectionBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatShapeSelectionOnType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.EnumerableExpansionDirective, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeGroupsSection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeGroupDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeOrGroupReference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeReference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeGroupReference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatToken, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TextToken, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.NewLineToken, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FrameToken, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FrameInfoDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ExpressionToken, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.PropertyTokenBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.CompoundPropertyToken, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FieldPropertyToken, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FieldFormattingDirective, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ControlBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ControlReference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ControlBody, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ControlDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ViewDefinitionsSection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.AppliesTo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.GroupBy, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.StartGroup, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatControlDefinitionHolder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ViewDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatDirective, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.StringResourceReference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexControlBody, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexControlEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexControlItemDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ListControlBody, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ListControlEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ListControlItemDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FieldControlBody, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TextAlignment, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableControlBody, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableHeaderDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableColumnHeaderDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableRowDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableRowItemDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.WideControlBody, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.WideControlEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DisplayCondition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeMatchItem, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeMatch, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DisplayDataQuery, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.XmlFileLoadInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoaderException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TooManyErrorsException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLoggerEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLogger, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.GroupingInfoManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatInfoData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.PacketInfoData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ControlInfoData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.StartData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatStartData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatEndData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.GroupStartData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.GroupEndData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatEntryData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ShapeInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.WideViewHeaderInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableHeaderInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableColumnInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ListViewHeaderInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexViewHeaderInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatEntryInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.RawTextFormatEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FreeFormatEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ListViewEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ListViewField, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableRowEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.WideViewEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexViewEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.GroupingEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.PageHeaderEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.PageFooterEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.AutosizeInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatNewLine, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatTextField, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatPropertyField, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FrameInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatObjectDeserializer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataClassFactory, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataListDeserializer`1[T]", + "Microsoft.PowerShell.Commands.Internal.Format.ViewGenerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexViewGenerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexControlGenerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TraversalInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexViewObjectBrowser, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ListViewGenerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableViewGenerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.WideViewGenerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DefaultScalarTypes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatViewManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutOfBandFormatViewManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatErrorManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DisplayCells, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.LineOutput, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.WriteLineHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TextWriterLineOutput, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.StreamingTextWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ListWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutputManagerInner, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.SubPipelineManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutputGroupQueue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormattedObjectsCache, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.PSObjectHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormattingError, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.PSPropertyExpressionError, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.StringFormatError, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.CreateScriptBlockFromString, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.PSPropertyExpressionFactory, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.MshParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.NameEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.HashtableEntryDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.CommandParameterDefinition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ParameterProcessor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.MshResolvedExpressionParameterAssociation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.AssociationManager, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DisplayCellsHost, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cim.CimInstanceAdapter", + "Microsoft.PowerShell.Cmdletization.EnumWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.MethodInvocationInfo", + "Microsoft.PowerShell.Cmdletization.MethodParameterBindings", + "Microsoft.PowerShell.Cmdletization.MethodParameter", + "Microsoft.PowerShell.Cmdletization.MethodParametersCollection, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.CmdletAdapter`1[TObjectInstance]", + "Microsoft.PowerShell.Cmdletization.BehaviorOnNoMatch", + "Microsoft.PowerShell.Cmdletization.QueryBuilder", + "Microsoft.PowerShell.Cmdletization.ScriptWriter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.PowerShellMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.ClassMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.ClassMetadataInstanceCmdlets, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.GetCmdletParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.PropertyMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.TypeMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.Association, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.AssociationAssociatedInstance, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForGetCmdletFilteringParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForGetCmdletParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateCount, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateLength, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateRange, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.ObsoleteAttributeMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForInstanceMethodParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForStaticMethodParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.QueryOption, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.GetCmdletMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CommonCmdletMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.ConfirmImpact", + "Microsoft.PowerShell.Cmdletization.Xml.StaticCmdletMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.StaticCmdletMetadataCmdletMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.StaticMethodMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.StaticMethodParameterMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CmdletOutputMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CommonMethodParameterMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.InstanceMethodParameterMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CommonMethodMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.CommonMethodMetadataReturnValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.InstanceMethodMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.InstanceCmdletMetadata, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.PropertyQuery, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.WildcardablePropertyQuery, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.ItemsChoiceType", + "Microsoft.PowerShell.Cmdletization.Xml.ClassMetadataData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.EnumMetadataEnum, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.EnumMetadataEnumValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.XmlSerializationReader1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Xml.PowerShellMetadataSerializer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.Cim.WildcardPatternToCimQueryParser, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + ", System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0+RunnerFactory, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PowerShellAssemblyLoadContext+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Platform+CommonEnvVariableNames, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Platform+Unix, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Platform+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AsyncByteStreamTransfer+d__11, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ValidateRangeAttribute+d__19, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ValidateSetAttribute+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NativeCommandProcessorBytePipe+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Cmdlet+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Cmdlet+d__40, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Cmdlet+d__41`1[T]", + "System.Management.Automation.CmdletParameterBinderController+CurrentlyBinding, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CmdletParameterBinderController+DelayedScriptBlockArgument, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CmdletParameterBinderController+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+AstAnalysisContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c__DisplayClass13_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c__DisplayClass19_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c__DisplayClass22_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c__DisplayClass34_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c__DisplayClass36_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c__DisplayClass39_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c__DisplayClass42_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c__DisplayClass42_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionAnalysis+<>c__DisplayClass43_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+FindFunctionsVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+ArgumentLocation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+SHARE_INFO_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+VariableInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+FindVariablesVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+TypeCompletionBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+TypeCompletionInStringFormat, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+GenericTypeCompletionInStringFormat, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+TypeCompletion, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+GenericTypeCompletion, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+NamespaceCompletion, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+TypeCompletionMapping, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+ItemPathComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+CommandNameComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass109_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass122_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass136_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass139_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass13_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass141_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass142_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass144_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass145_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass145_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass147_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass15_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass20_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass20_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass22_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass34_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass40_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass5_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass5_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>c__DisplayClass63_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__10, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__45, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__46, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__47, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__49, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__50, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__51, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__52, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__53, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__54, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__55, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__75, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__76, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+<>o__88, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompletionCompleters+d__23, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PropertyNameCompleter+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PropertyNameCompleter+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ArgumentCompleterAttribute+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ArgumentCompletionsAttribute+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScopeArgumentCompleter+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandDiscovery+d__52, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandInfo+GetMergedCommandParameterMetadataSafelyEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSSyntheticTypeName+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandParameterInternal+Parameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandParameterInternal+Argument, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandPathSearch+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandProcessor+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandSearcher+CanDoPathLookupResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandSearcher+SearchState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompiledCommandParameter+d__78, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterCollectionTypeInformation+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComAdapter+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInvoker+EXCEPINFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInvoker+Variant, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInvoker+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Adapter+OverloadCandidate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Adapter+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Adapter+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Adapter+<>c__DisplayClass54_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Adapter+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MethodInformation+MethodInvoker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapter+MethodCacheEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapter+EventCacheEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapter+ParameterizedPropertyCacheEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapter+PropertyCacheEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapter+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapter+d__29, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapterWithComTypeName+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSMemberSetAdapter+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.XmlNodeAdapter+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInference+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInference+<>c__DisplayClass6_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInference+<>c__DisplayClass6_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Breakpoint+BreakpointAction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LineBreakpoint+CheckBreakpointInScript, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+CallStackInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+CallStackList, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+SteppingMode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+InternalDebugMode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+EnableNestedType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+<>c__DisplayClass103_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+<>c__DisplayClass19_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+<>c__DisplayClass26_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+<>c__DisplayClass35_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+<>c__DisplayClass38_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptDebugger+d__106, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EmbeddedRunspaceDebugger+<>c__DisplayClass10_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EmbeddedRunspaceDebugger+<>c__DisplayClass10_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DscResourceSearcher+<>o__15, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.FlagsExpression`1+TokenKind[T]", + "System.Management.Automation.FlagsExpression`1+Token[T]", + "System.Management.Automation.FlagsExpression`1+Node[T]", + "System.Management.Automation.FlagsExpression`1+OrNode[T]", + "System.Management.Automation.FlagsExpression`1+AndNode[T]", + "System.Management.Automation.FlagsExpression`1+NotNode[T]", + "System.Management.Automation.FlagsExpression`1+OperandNode[T]", + "System.Management.Automation.ErrorRecord+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSLocalEventManager+<>c__DisplayClass32_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExecutionContext+SavedContextData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExecutionContext+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExperimentalFeature+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InformationalRecord+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PowerShell+Worker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InvocationInfo+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteCommandInfo+<>c__DisplayClass4_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+MemberNotFoundError, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+MemberSetValueError, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+EnumerableTWrapper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+GetEnumerableDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+TypeCodeTraits, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+EnumMultipleTypeConverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+EnumSingleTypeConverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+PSMethodToDelegateConverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+ConvertViaParseMethod, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+ConvertViaConstructor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+ConvertViaIEnumerableConstructor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+ConvertViaNoArgumentConstructor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+ConvertViaCast, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+ConvertCheckingForCustomConverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+ConversionTypePair, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+PSConverter`1[T]", + "System.Management.Automation.LanguagePrimitives+PSNullConverter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+IConversionData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+ConversionData`1[T]", + "System.Management.Automation.LanguagePrimitives+SignatureComparator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+InternalPSCustomObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+InternalPSObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+Null, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParserOps+SplitImplOptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParserOps+ReplaceOperatorImpl, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParserOps+CompareDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParserOps+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParserOps+d__17, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptBlock+ErrorHandlingBehavior, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptBlock+SuspiciousContentChecker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ScriptBlock+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.BaseWMIAdapter+WMIMethodCacheEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.BaseWMIAdapter+WMIParameterInformation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.BaseWMIAdapter+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.BaseWMIAdapter+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MinishellParameterBinderController+MinishellParameters, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AnalysisCache+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AnalysisCacheData+<b__11_0>d, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AnalysisCacheData+<>c__DisplayClass24_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ModuleIntrinsics+PSModulePathScope", + "System.Management.Automation.ModuleIntrinsics+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass59_0`1[T]", + "System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass60_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass60_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ModuleIntrinsics+d__57, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSModuleInfo+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSModuleInfo+<>c__DisplayClass277_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+CimFileCode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+CimModuleFile, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+CimModule, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass14_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass23_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass24_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass2_0`1[T]", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass5_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass6_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+d__12`1[T]", + "System.Management.Automation.RemoteDiscoveryHelper+d__23, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+d__4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExportVisitor+ParameterBindingInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExportVisitor+ParameterInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExportVisitor+<>c__DisplayClass44_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandInvocationIntrinsics+d__34, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MshCommandRuntime+ShouldProcessPossibleOptimization, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MshCommandRuntime+MergeDataStream, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MshCommandRuntime+AllowWrite, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MshCommandRuntime+ContinueStatus, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSMemberSet+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CollectionEntry`1+GetMembersDelegate[T]", + "System.Management.Automation.CollectionEntry`1+GetMemberDelegate[T]", + "System.Management.Automation.CollectionEntry`1+GetFirstOrDefaultDelegate[T]", + "System.Management.Automation.PSMemberInfoIntegratingCollection`1+Enumerator[T]", + "System.Management.Automation.PSObject+AdapterSet, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSObject+PSDynamicMetaObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSObject+PSObjectFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSObject+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSObject+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSObject+<>c__DisplayClass102_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSObject+<>c__DisplayClass15_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSObject+<>c__DisplayClass18_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NativeCommandProcessor+ProcessWithParentId, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.NativeCommandProcessor+d__39, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandParameterSetInfo+<>c__DisplayClass11_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceContext+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceContext+<>c__DisplayClass23_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceContext+<>c__DisplayClass24_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceVisitor+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass62_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass65_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass65_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass76_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass9_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceVisitor+d__81, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeInferenceVisitor+d__80, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CoreTypes+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSVersionHashTable+PSVersionTableComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSVersionHashTable+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SemanticVersion+ParseFailureKind, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SemanticVersion+VersionResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ReflectionParameterBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ReflectionParameterBinder+<>c__DisplayClass7_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ReflectionParameterBinder+<>c__DisplayClass8_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPattern+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPattern+<>c__DisplayClass17_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternMatcher+PatternPositionsVisitor, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternMatcher+PatternElement, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternMatcher+QuestionMarkElement, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternMatcher+LiteralCharacterElement, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternMatcher+BracketExpressionElement, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternMatcher+AsterixElement, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternMatcher+MyWildcardPatternParser, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WildcardPatternMatcher+CharacterNormalizer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Job+<>c__DisplayClass83_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Job+<>c__DisplayClass92_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Job+<>c__DisplayClass93_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Job+<>c__DisplayClass94_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Job+<>c__DisplayClass95_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Job+<>c__DisplayClass96_0`1[T]", + "System.Management.Automation.PSRemotingJob+ConnectJobOperation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSRemotingJob+<>c__DisplayClass12_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass38_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass40_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass41_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass41_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass42_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass42_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass51_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass51_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass52_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass52_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass53_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass53_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass54_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass54_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass55_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass55_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass56_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass56_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ContainerParentJob+<>c__DisplayClass66_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.JobManager+FilterType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.JobInvocationInfo+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemotePipeline+ExecutionEventQueueItem, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteRunspace+RunspaceEventQueueItem, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDebugger+<>c__DisplayClass22_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ThrottlingJob+ChildJobFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ThrottlingJob+ForwardingHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ThrottlingJob+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemotingEncoder+ValueGetterDelegate`1[T]", + "System.Management.Automation.RemotingDecoder+d__4`2[TKey,TValue]", + "System.Management.Automation.RemotingDecoder+d__3`1[T]", + "System.Management.Automation.ServerPowerShellDriver+<>c__DisplayClass11_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerPowerShellDriver+<>c__DisplayClass33_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerRunspacePoolDriver+PreProcessCommandResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerRunspacePoolDriver+DebuggerCommandArgument, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerRunspacePoolDriver+PowerShellDriverInvoker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerRunspacePoolDriver+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerRemoteDebugger+ThreadCommandProcessing, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompiledScriptBlockData+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CompiledScriptBlockData+<>c__DisplayClass7_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MutableTuple+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MutableTuple+d__28, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MutableTuple+d__27, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PipelineOps+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PipelineOps+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExceptionHandlingOps+CatchAll, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ExceptionHandlingOps+HandlerSearchResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.TypeOps+<>c__DisplayClass0_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EnumerableOps+NonEnumerableObjectEnumerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EnumerableOps+<>o__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EnumerableOps+<>o__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MemberInvocationLoggingOps+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DecimalOps+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.StringOps+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.VariableOps+UsingResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.UsingExpressionAstSearcher+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InternalSerializer+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InternalDeserializer+PSDictionary, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InternalDeserializer+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.WeakReferenceDictionary`1+WeakReferenceEqualityComparer[T]", + "System.Management.Automation.WeakReferenceDictionary`1+d__30[T]", + "System.Management.Automation.SessionStateInternal+d__68, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SessionStateInternal+d__222, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SessionStateScope+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SessionStateScope+<>c__DisplayClass97_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.SessionStateScope+d__95, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParameterSetMetadata+ParameterFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Utils+MutexInitializer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Utils+EmptyReadOnlyCollectionHolder`1[T]", + "System.Management.Automation.Utils+Separators, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Utils+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Utils+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Utils+<>c__DisplayClass61_0`1[T]", + "System.Management.Automation.Utils+<>c__DisplayClass81_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSStyle+ForegroundColor", + "System.Management.Automation.PSStyle+BackgroundColor", + "System.Management.Automation.PSStyle+ProgressConfiguration", + "System.Management.Automation.PSStyle+FormattingData", + "System.Management.Automation.PSStyle+FileInfoFormatting", + "System.Management.Automation.AliasHelpProvider+d__8, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AliasHelpProvider+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandHelpProvider+d__12, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandHelpProvider+d__30, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CommandHelpProvider+d__26, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DscResourceHelpProvider+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DscResourceHelpProvider+d__10, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DscResourceHelpProvider+d__8, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpCommentsParser+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpErrorTracer+TraceFrame, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpFileHelpProvider+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpFileHelpProvider+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpFileHelpProvider+d__7, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpProvider+d__10, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpProviderWithCache+d__11, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpProviderWithCache+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpProviderWithCache+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpSystem+d__20, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpSystem+d__21, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpSystem+d__22, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.HelpSystem+d__24, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProviderHelpProvider+d__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProviderHelpProvider+d__11, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ProviderHelpProvider+d__10, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSClassHelpProvider+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSClassHelpProvider+d__10, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSClassHelpProvider+d__8, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LogProvider+Strings, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MshLog+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MshLog+<>c__DisplayClass19_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MshLog+<>c__DisplayClass20_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.MshLog+<>c__DisplayClass9_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.CatalogHelper+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AmsiUtils+AmsiNativeMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.AmsiUtils+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSSnapInReader+DefaultPSSnapInInformation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ClrFacade+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.EnumerableExtensions+d__0`1[T]", + "System.Management.Automation.PSTypeExtensions+<>c__7`1[T]", + "System.Management.Automation.ParseException+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+FILETIME, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+FileDesiredAccess, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+FileShareMode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+FileCreationDisposition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+FileAttributes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+SecurityAttributes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+SafeLocalMemHandle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+TOKEN_PRIVILEGE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+LUID, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+LUID_AND_ATTRIBUTES, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+PRIVILEGE_SET, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+PROCESS_INFORMATION, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+STARTUPINFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PlatformInvokes+SECURITY_ATTRIBUTES, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Verbs+VerbArgumentCompleter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Verbs+d__4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Verbs+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Verbs+d__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.VTUtility+VT", + "System.Management.Automation.Tracing.EtwActivity+CorrelatedCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Tracing.PSEtwLog+<>c__DisplayClass6_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ATTR_BLOB, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ALGORITHM_IDENTIFIER, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ATTRIBUTE_TYPE_VALUE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+SIP_INDIRECT_DATA, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATMEMBER, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATATTRIBUTE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATSTORE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_DATA, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_FILE_INFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_BLOB_INFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Win32Native.WinTrustMethods+CryptCATCDFParseErrorCallBack, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CertEnumSystemStoreCallBackProto, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CertFindType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CertStoreFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CertOpenStoreFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CertOpenStoreProvider, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CertOpenStoreEncodingType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CertControlStoreType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+AddCertificateContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CertPropertyId, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+NCryptDeletKeyFlag, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+ProviderFlagsEnum, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+ProviderParam, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+PROV, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPT_KEY_PROV_INFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CryptUIFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPTUI_WIZ_DIGITAL_SIGN_INFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SignInfoSubjectChoice, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SignInfoCertChoice, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SignInfoAdditionalCertChoice, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPTUI_WIZ_DIGITAL_SIGN_EXTENDED_INFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPT_OID_INFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+Anonymous_a3ae7823_8a1d_432c_bc07_a72b6fc6c7d8, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPT_ATTR_BLOB, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPT_DATA_BLOB, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CERT_CONTEXT, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPT_PROVIDER_CERT, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPT_PROVIDER_SGNR, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CERT_ENHKEY_USAGE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SIGNATURE_STATE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_FLAGS, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_AVAILABILITY, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_TYPE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CERT_INFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPT_ALGORITHM_IDENTIFIER, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+FILETIME, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CERT_PUBLIC_KEY_INFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CRYPT_BIT_BLOB, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CERT_EXTENSION, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+AltNameType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CryptDecodeFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SeObjectType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SecurityInformation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+LUID, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+LUID_AND_ATTRIBUTES, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+TOKEN_PRIVILEGE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+ACL, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+ACE_HEADER, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+SYSTEM_AUDIT_ACE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+LSA_UNICODE_STRING, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.NativeMethods+CENTRAL_ACCESS_POLICY, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.SystemPolicy+WldpNativeConstants, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.SystemPolicy+WLDP_HOST_ID, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.SystemPolicy+WLDP_HOST_INFORMATION, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.SystemPolicy+WLDP_EXECUTION_EVALUATION_OPTIONS, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.SystemPolicy+WLDP_EXECUTION_POLICY, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Security.SystemPolicy+WldpNativeMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.DefaultCommandHelpObjectBuilder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.CultureSpecificUpdatableHelp+<>c__DisplayClass10_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.CultureSpecificUpdatableHelp+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Help.UpdatableHelpInfo+<>c__DisplayClass11_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Subsystem.SubsystemInfo+ImplementationInfo", + "System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass1_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass2_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass3_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass4_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass5_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Subsystem.Prediction.CommandPrediction+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Subsystem.Feedback.FeedbackHub+<>c__DisplayClass7_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ClientMethodExecutor+<>c__DisplayClass10_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ClientRemoteSession+URIDirectionReported, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.SerializedDataStream+OnDataAvailableCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.NamedPipeNative+SECURITY_ATTRIBUTES, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>c__DisplayClass52_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ConfigTypeEntry+TypeValidationCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c__DisplayClass22_0`1[T]", + "System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c__DisplayClass22_1`1[T]", + "System.Management.Automation.Remoting.OutOfProcessUtils+DataPacketReceived, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessUtils+DataAckPacketReceived, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessUtils+CommandCreationPacketReceived, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessUtils+CommandCreationAckReceived, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessUtils+ClosePacketReceived, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessUtils+CloseAckPacketReceived, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessUtils+SignalPacketReceived, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessUtils+SignalAckPacketReceived, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.OutOfProcessUtils+DataProcessingDelegates, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.PrioritySendDataCollection+OnDataAvailableCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ReceiveDataCollection+OnDataAvailableCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginEntryDelegates+WSManPluginEntryDelegatesInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper+InitPluginDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.ServerRemoteSession+<>c__DisplayClass32_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Server.AbstractServerTransportManager+<>c__DisplayClass14_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.BaseClientTransportManager+CallbackNotificationInformation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+MarshalledObject, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManAuthenticationMechanism, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+BaseWSManAuthenticationCredentials, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManUserNameAuthenticationCredentials, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateThumbprintCredentials, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSessionOption, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellFlag, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManBinaryOrTextDataStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManData_ManToUn, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManData_UnToMan, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataDWord, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSetStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSet_ManToUn, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSet_UnToMan, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOption, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOptionSetStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOptionSet, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCommandArgSet, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellDisconnectInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfoStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfo_ManToUn, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfo_UnToMan, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManProxyInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCallbackFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellCompletionFunction, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsyncCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsync, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManError, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManPluginRequest, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSenderDetails, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateDetails, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManFlagReceive, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManTransportManagerUtils+tmStartModes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+CompletionNotification, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+CompletionEventArgs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+WSManAPIDataCommon, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+<>c__DisplayClass98_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManClientCommandTransportManager+SendDataChunk, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddInstruction+AddInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddInstruction+AddInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddInstruction+AddInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddInstruction+AddUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddInstruction+AddUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddInstruction+AddUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddInstruction+AddSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddInstruction+AddDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DivInstruction+DivInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DivInstruction+DivInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DivInstruction+DivInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DivInstruction+DivUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DivInstruction+DivUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DivInstruction+DivUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DivInstruction+DivSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DivInstruction+DivDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualBoolean, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualSByte, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualChar, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualByte, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.EqualInstruction+EqualReference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanSByte, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanChar, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanByte, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InstructionFactory+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InstructionArray+DebugView, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InstructionList+DebugView, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InterpretedFrame+d__30, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InterpretedFrame+d__29, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LabelInfo+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanSByte, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanChar, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanByte, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LessThanInstruction+LessThanDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.TryCatchFinallyHandler+<>c__DisplayClass13_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DebugInfo+DebugInfoComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightCompiler+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightDelegateCreator+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightLambda+<>c__DisplayClass11_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightLambdaClosureVisitor+MergedRuntimeVariables, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LightLambdaClosureVisitor+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InitializeLocalInstruction+Reference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InitializeLocalInstruction+ImmutableValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InitializeLocalInstruction+ImmutableBox, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InitializeLocalInstruction+ParameterBox, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InitializeLocalInstruction+Parameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InitializeLocalInstruction+MutableValue, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InitializeLocalInstruction+MutableBox, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LocalVariables+VariableScope, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.LoopCompiler+LoopVariable, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulInstruction+MulInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulInstruction+MulInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulInstruction+MulInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulInstruction+MulUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulInstruction+MulUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulInstruction+MulUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulInstruction+MulSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulInstruction+MulDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualBoolean, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualSByte, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualChar, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualByte, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualReference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NumericConvertInstruction+Unchecked, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.NumericConvertInstruction+Checked, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubInstruction+SubInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubInstruction+SubInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubInstruction+SubInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubInstruction+SubUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubInstruction+SubUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubInstruction+SubUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubInstruction+SubSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubInstruction+SubDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfSingle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfDouble, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.DelegateHelpers+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.HybridReferenceDictionary`2+d__12[TKey,TValue]", + "System.Management.Automation.Interpreter.CacheDict`2+KeyInfo[TKey,TValue]", + "System.Management.Automation.Interpreter.ThreadLocal`1+StorageInfo[T]", + "System.Management.Automation.Host.PSHostUserInterface+FormatStyle", + "System.Management.Automation.Host.PSHostUserInterface+TranscribeOnlyCookie, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Host.PSHostUserInterface+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Host.PSHostUserInterface+<>c__DisplayClass45_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Command+MergeType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.RunspaceBase+RunspaceEventQueueItem, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.RunspaceBase+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.LocalRunspace+DebugPreference, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass55_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass56_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass56_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PipelineBase+ExecutionEventQueueItem, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.EarlyStartup+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.InitialSessionState+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass0_0`1[T]", + "System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass129_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass129_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass137_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass154_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass1_0`1[T]", + "System.Management.Automation.Runspaces.InitialSessionState+d__147, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PSSnapInHelpers+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.ContainerProcess+HCS_PROCESS_INFORMATION, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.TypesPs1xmlReader+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.TypesPs1xmlReader+d__20, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.ConsolidatedString+ConsolidatedStringEqualityComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.TypeTable+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass59_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass61_0`1[T]", + "System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass90_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.FormatTable+<>c__DisplayClass10_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__24, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__68, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__35, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__36, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__37, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__34, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__33, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__38, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__42, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__39, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__53, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__40, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__41, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__43, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__44, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__45, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__47, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__48, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__49, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__62, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__60, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__61, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__59, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__51, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__52, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__50, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__27, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__54, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__63, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__65, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__31, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__55, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__56, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__46, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__57, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__58, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__29, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__10, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__20, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__12, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__21, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__7, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__14, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__13, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__15, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__11, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__25, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__67, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__17, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__23, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__26, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__30, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__28, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__66, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__22, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__18, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__69, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__19, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__8, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__7, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__12, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__11, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__10, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__15, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__14, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__13, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__8, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__8, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__10, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__13, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__12, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__15, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__17, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__24, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__14, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__25, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__19, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__20, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__22, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__23, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__21, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__18, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__7, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__11, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__42, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__40, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__7, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__39, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__33, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__21, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__50, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__59, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__44, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__13, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__20, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__53, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__43, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__45, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__57, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__56, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__55, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__58, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__51, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__54, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__52, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__47, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__19, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__11, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__14, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__41, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__23, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__10, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__35, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__31, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__49, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__18, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__24, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__17, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__30, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__34, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__38, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__25, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__48, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__60, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__65, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__63, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__64, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__61, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__62, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__8, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__22, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__37, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__36, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__12, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__29, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__15, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__28, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__26, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__27, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Registry_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.Registry_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__4, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.FormatAndTypeDataHelper+Category, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Runspaces.PipelineReader`1+d__20[T]", + "System.Management.Automation.Language.PseudoParameterBinder+BindingType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ScriptBlockAst+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ScriptBlockAst+<>c__DisplayClass64_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ScriptBlockAst+d__68, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ScriptBlockAst+d__67, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ParamBlockAst+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.FunctionDefinitionAst+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.DataStatementAst+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.AssignmentStatementAst+d__14, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ConfigurationDefinitionAst+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.ConfigurationDefinitionAst+<>c__DisplayClass29_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.GenericTypeName+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.AstSearcher+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+DefaultValueExpressionWrapper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+LoopGotoTargets, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+CaptureAstContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+MergeRedirectExprs, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+AutomaticVarSaver, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass173_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass188_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass188_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass189_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass194_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass195_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass200_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass201_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass205_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass205_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+<>c__DisplayClass238_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+d__234, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.InvokeMemberAssignableValue+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Parser+CommandArgumentContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Parser+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Parser+<>c__DisplayClass19_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Parser+d__62, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeDefiner+DefineTypeHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeDefiner+DefineEnumHelper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeDefiner+d__16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.GetSafeValueVisitor+SafeValueContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.GetSafeValueVisitor+<>c__DisplayClass47_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SemanticChecks+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SemanticChecks+<>c__DisplayClass37_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SemanticChecks+<>c__DisplayClass38_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SemanticChecks+d__22, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.RestrictedLanguageChecker+<>c__DisplayClass43_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SymbolTable+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.SymbolResolver+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.DynamicKeywordExtension+<>c__DisplayClass3_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Tokenizer+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Tokenizer+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Tokenizer+<>c__DisplayClass140_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Tokenizer+<>c__DisplayClass141_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeResolver+AmbiguousTypeException, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeCache+KeyComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.FindAllVariablesVisitor+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+LoopGotoTargets, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+Block, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+AssignmentTarget, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass47_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass51_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass54_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass55_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass58_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass58_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.VariableAnalysis+d__65, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.DynamicMetaObjectBinderExtensions+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSEnumerableBinder+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSEnumerableBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSEnumerableBinder+<>c__DisplayClass7_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSToObjectArrayBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSPipeWriterBinder+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeDynamicMemberBinder+KeyComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSAttributeGenerator+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSVariableAssignmentBinder+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSBinaryOperationBinder+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSBinaryOperationBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSConvertBinder+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSGetIndexBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSGetIndexBinder+<>c__DisplayClass15_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSGetIndexBinder+<>c__DisplayClass17_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSSetIndexBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSSetIndexBinder+<>c__DisplayClass9_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSGetMemberBinder+KeyComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSGetMemberBinder+ReservedMemberBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSGetMemberBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSSetMemberBinder+KeyComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeMemberBinder+MethodInvocationType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeMemberBinder+KeyComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeMemberBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeMemberBinder+<>c__DisplayClass18_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeMemberBinder+<>c__DisplayClass18_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSCreateInstanceBinder+KeyComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSCreateInstanceBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeBaseCtorBinder+KeyComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.PSInvokeBaseCtorBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.ComEventsSink+<>c__DisplayClass2_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.ComEventsMethod+DelegateWrapper, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.Variant+TypeUnion, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.Variant+Record, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.InteropServices.Variant+UnionTypes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComBinder+ComGetMemberBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComBinder+ComInvokeMemberBinder, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.ComBinder+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInterop.SplatCallSite+InvokeDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CommonParameters+ValidateVariableName, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ModuleUtils+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ModuleUtils+d__9, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ModuleUtils+d__11, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ModuleUtils+d__13, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ModuleUtils+d__19, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ModuleUtils+d__20, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.PipelineProcessor+PipelineExecutionStatus, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ClientPowerShellDataStructureHandler+connectionStates, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ClassOps+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.ClassOps+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiAllocDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiFreeDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiOpenDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiReadDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiWriteDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiCloseDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiSeekDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiNotifyDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+PermissionMode, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+OpFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiCreateCpuType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiNotification, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiNotificationType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiERF, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CabinetNativeApi+FdiContextHandle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.AlternateDataStreamUtilities+NativeMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.AlternateDataStreamUtilities+SafeFindHandle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.AlternateDataStreamUtilities+AlternateStreamNativeData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CopyFileRemoteUtils+d__27, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.CopyFileRemoteUtils+d__25, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.Host.InternalHost+PromptContextData, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DeserializingTypeConverter+RehydrationFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.CAPI+CRYPTOAPI_BLOB, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.PSAuthorizationManager+RunPromptDecision, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass40_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass43_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass46_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass64_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass83_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+d__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+d__7, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetCommandCommand+CommandInfoComparer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetCommandCommand+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass60_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass78_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass80_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass80_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass83_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass91_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetCommandCommand+d__91, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NounArgumentCompleter+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass115_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass116_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass120_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass120_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.SetStrictModeCommand+ArgumentToPSVersionTransformationAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.SetStrictModeCommand+ValidateVersionAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter+d__1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetModuleCommand+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetModuleCommand+<>c__DisplayClass50_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetModuleCommand+d__66, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetModuleCommand+d__47, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetModuleCommand+d__67, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSEditionArgumentCompleter+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ImportModuleCommand+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ImportModuleCommand+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass114_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass121_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass130_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass130_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ModuleCmdletBase+ManifestProcessingFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ModuleCmdletBase+ImportModuleOptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ModuleCmdletBase+ModuleLoggingGroupPolicyStatus, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ModuleCmdletBase+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ModuleCmdletBase+<>c__DisplayClass157_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ModuleCmdletBase+d__104, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ModuleCmdletBase+d__95, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ModuleCmdletBase+d__98, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewModuleManifestCommand+<>c__DisplayClass172_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewModuleManifestCommand+<>c__DisplayClass174_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewModuleManifestCommand+d__165, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.RemoveModuleCommand+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.TestModuleManifestCommand+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ConnectPSSessionCommand+OverrideParameter, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ConnectPSSessionCommand+<>c__DisplayClass79_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand+<>c__DisplayClass12_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.DisconnectPSSessionCommand+DisconnectRunspaceOperation, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand+<>c__DisplayClass19_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetJobCommand+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass33_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_3, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass35_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass37_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass46_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet+VMState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSExecutionCmdlet+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_1, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_2, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass71_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass75_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass76_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass77_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass87_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ReceivePSSessionCommand+<>c__DisplayClass84_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.StopJobCommand+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.WaitJobCommand+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetHelpCommand+HelpView, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.GetHelpCodeMethods+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.UpdatableHelpCommandBase+d__46, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.UpdatableHelpCommandBase+d__45, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemContentReaderWriter+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemContentReaderWriter+<>c__DisplayClass36_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileStreamBackReader+NativeMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemProvider+ItemType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemProvider+InodeTracker, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemProvider+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass41_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass53_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass55_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass63_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+REPARSE_DATA_BUFFER_SYMBOLICLINK, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+REPARSE_DATA_BUFFER_MOUNTPOINT, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+BY_HANDLE_FILE_INFORMATION, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+FILE_TIME, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.SessionStateProviderBase+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Win32Native+TOKEN_INFORMATION_CLASS, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Win32Native+SID_NAME_USE, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Win32Native+SID_AND_ATTRIBUTES, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Win32Native+TOKEN_USER, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+OuterCmdletCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+InputObjectCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+WriteObjectCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommandBase+FormattingContextState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommand+GroupTransition, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ComplexSpecificParameters+ClassInfoDisplay, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormattingState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+PreprocessingState, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormattingHint, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableFormattingHint, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideFormattingHint, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormatOutputContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+GroupOutputContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableOutputContextBase, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableOutputContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+ListOutputContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideOutputContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+ComplexOutputContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.IndentationManager+IndentationStackFrame, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper+SplitLinesAccumulator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+LoadingResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyBindingStatus, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyLoadResult, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyNameResolver, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager+TypeGenerator, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+XmlTags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+XMLStringValues, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ExpressionNodeMatch, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ViewEntryNodeMatch, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ComplexControlMatch, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLoggerEntry+EntryType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderBase+XmlLoaderStackFrame, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatContextCreationCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatStartCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatEndCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+GroupStartCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+GroupEndCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+PayloadCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+OutputContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataClassFactory+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ViewGenerator+DataBaseInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.LineOutput+DoPlayBackCall, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.WriteLineHelper+WriteCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.StreamingTextWriter+WriteLineCallback, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.SubPipelineManager+CommandEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.FormattedObjectsCache+ProcessCachedGroupNotification, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableWriter+ColumnInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.TableWriter+ScreenInfo, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput+PromptHandler, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.ScriptWriter+GenerationOptions, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Cmdletization.ScriptWriter+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=11, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=12, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=14, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=16, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=20, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=32, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=46, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=56, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=76, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=204, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=252, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=512, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "+__StaticArrayInitTypeSize=684, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+FileDesiredAccess, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+FileAttributes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+SymbolicLinkFlags, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+ActivityControl, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+FILE_TIME, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+WIN32_FIND_DATA, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+SafeFindHandle, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+PROCESS_BASIC_INFORMATION, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+SHFILEINFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+NETRESOURCEW, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0+RunnerFactory+Runner, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Platform+Unix+ItemType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Platform+Unix+StatMask, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Platform+Unix+CommonStat, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Platform+Unix+NativeMethods, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInvoker+Variant+TypeUnion, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInvoker+Variant+Record, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ComInvoker+Variant+UnionTypes, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapter+PropertyCacheEntry+GetterDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.DotNetAdapter+PropertyCacheEntry+SetterDelegate, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+EnumSingleTypeConverter+EnumHashEntry, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+ConvertViaNoArgumentConstructor+<>O, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.LanguagePrimitives+SignatureComparator+TypeMatchingContext, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ParserOps+ReplaceOperatorImpl+<>c__DisplayClass5_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+CimModule+DiscoveredModuleType, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+CimModule+CimModuleManifestFile, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+CimModule+CimModuleImplementationFile, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.RemoteDiscoveryHelper+CimModule+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSObject+PSDynamicMetaObject+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ThrottlingJob+ForwardingHelper+<>c__DisplayClass24_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.ServerRunspacePoolDriver+PowerShellDriverInvoker+InvokePump, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.PSStyle+FileInfoFormatting+FileExtensionDictionary", + "System.Management.Automation.AmsiUtils+AmsiNativeMethods+AMSI_RESULT, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Verbs+VerbArgumentCompleter+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Verbs+VerbArgumentCompleter+d__0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManUserNameAuthenticationCredentials+WSManUserNameCredentialStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateThumbprintCredentials+WSManThumbprintStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataDWord+WSManDWordDataInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCommandArgSet+WSManCommandArgSetInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellDisconnectInfo+WSManShellDisconnectInfoInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet+WSManEnvironmentVariableSetInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet+WSManEnvironmentVariableInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManProxyInfo+WSManProxyInfoInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsync+WSManShellAsyncInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManCreateShellDataResultInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManDataStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManTextDataInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManConnectDataResultInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManDataStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManTextDataInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManReceiveDataResultInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManDataStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManBinaryDataInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManPluginRequest+WSManPluginRequestInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSenderDetails+WSManSenderDetailsInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateDetails+WSManCertificateDetailsInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManOperationInfoInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManFragmentInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManFilterInternal, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet+WSManSelectorSetStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet+WSManKeyStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Interpreter.InstructionList+DebugView+InstructionView, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.Compiler+AutomaticVarSaver+d__5, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c__DisplayClass25_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c__DisplayClass26_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeDefiner+DefineEnumHelper+<>c, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Language.TypeDefiner+DefineEnumHelper+<>o__6, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Internal.AlternateDataStreamUtilities+NativeMethods+StreamInfoLevels, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation+<>c__DisplayClass17_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation+<>c__DisplayClass18_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.DisconnectPSSessionCommand+DisconnectRunspaceOperation+<>c__DisplayClass12_0, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.FileStreamBackReader+NativeMethods+CPINFO, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideOutputContext+StringValuesBuffer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput+PromptHandler+PromptResponse, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+WIN32_FIND_DATA+e__FixedBuffer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+WIN32_FIND_DATA+e__FixedBuffer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+SHFILEINFO+e__FixedBuffer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Interop+Windows+SHFILEINFO+e__FixedBuffer, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Platform+Unix+NativeMethods+UnixTm, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "System.Management.Automation.Platform+Unix+NativeMethods+CommonStatStruct, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35" + ], + "IsCollectible": false, + "ManifestModule": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Management.Automation.dll", + "ModuleVersionId": "324dba52-7d2f-4354-9396-b48bdf720d93", + "MetadataToken": 1, + "ScopeName": "System.Management.Automation.dll", + "Name": "System.Management.Automation.dll", + "Assembly": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Security.UnverifiableCodeAttribute()] [System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)]" + }, + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Management.Automation.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": [ + "System.Management.Automation.PowerShellAssemblyLoadContextInitializer", + "System.Management.Automation.PowerShellUnsafeAssemblyLoad", + "System.Management.Automation.Platform", + "System.Management.Automation.PSTransactionContext", + "System.Management.Automation.RollbackSeverity", + "System.Management.Automation.AliasInfo", + "System.Management.Automation.ApplicationInfo", + "System.Management.Automation.ValidateArgumentsAttribute", + "System.Management.Automation.ValidateEnumeratedArgumentsAttribute", + "System.Management.Automation.DSCResourceRunAsCredential", + "DscResource", + "DscProperty", + "DscLocalConfigurationManager", + "System.Management.Automation.CmdletCommonMetadataAttribute", + "System.Management.Automation.CmdletAttribute", + "CmdletBinding", + "OutputType", + "System.Management.Automation.DynamicClassImplementationAssemblyAttribute", + "Alias", + "Parameter", + "PSTypeNameAttribute", + "SupportsWildcards", + "PSDefaultValue", + "System.Management.Automation.HiddenAttribute", + "ValidateLength", + "System.Management.Automation.ValidateRangeKind", + "ValidateRange", + "ValidatePattern", + "ValidateScript", + "ValidateCount", + "System.Management.Automation.CachedValidValuesGeneratorBase", + "ValidateSet", + "System.Management.Automation.IValidateSetValuesGenerator", + "ValidateTrustedData", + "AllowNull", + "AllowEmptyString", + "AllowEmptyCollection", + "ValidateDrive", + "ValidateUserDrive", + "System.Management.Automation.NullValidationAttributeBase", + "ValidateNotNull", + "System.Management.Automation.ValidateNotNullOrAttributeBase", + "ValidateNotNullOrEmpty", + "ValidateNotNullOrWhiteSpace", + "System.Management.Automation.ArgumentTransformationAttribute", + "System.Management.Automation.ChildItemCmdletProviderIntrinsics", + "System.Management.Automation.ReturnContainers", + "System.Management.Automation.Cmdlet", + "System.Management.Automation.ShouldProcessReason", + "System.Management.Automation.ProviderIntrinsics", + "System.Management.Automation.CmdletInfo", + "System.Management.Automation.DefaultParameterDictionary", + "System.Management.Automation.NativeArgumentPassingStyle", + "System.Management.Automation.ErrorView", + "System.Management.Automation.ActionPreference", + "System.Management.Automation.ConfirmImpact", + "System.Management.Automation.PSCmdlet", + "System.Management.Automation.CommandCompletion", + "System.Management.Automation.CompletionCompleters", + "System.Management.Automation.CompletionResultType", + "System.Management.Automation.CompletionResult", + "ArgumentCompleter", + "System.Management.Automation.IArgumentCompleter", + "System.Management.Automation.IArgumentCompleterFactory", + "System.Management.Automation.ArgumentCompleterFactoryAttribute", + "System.Management.Automation.RegisterArgumentCompleterCommand", + "ArgumentCompletions", + "System.Management.Automation.ScopeArgumentCompleter", + "System.Management.Automation.CommandLookupEventArgs", + "System.Management.Automation.PSModuleAutoLoadingPreference", + "System.Management.Automation.CommandTypes", + "System.Management.Automation.CommandInfo", + "System.Management.Automation.PSTypeName", + "System.Management.Automation.SessionCapabilities", + "System.Management.Automation.CommandMetadata", + "System.Management.Automation.ConfigurationInfo", + "System.Management.Automation.ContentCmdletProviderIntrinsics", + "System.Management.Automation.PSCredentialTypes", + "System.Management.Automation.PSCredentialUIOptions", + "System.Management.Automation.GetSymmetricEncryptionKey", + "pscredential", + "System.Management.Automation.PSDriveInfo", + "System.Management.Automation.ProviderInfo", + "System.Management.Automation.Breakpoint", + "System.Management.Automation.CommandBreakpoint", + "System.Management.Automation.VariableAccessMode", + "System.Management.Automation.VariableBreakpoint", + "System.Management.Automation.LineBreakpoint", + "System.Management.Automation.DebuggerResumeAction", + "System.Management.Automation.DebuggerStopEventArgs", + "System.Management.Automation.BreakpointUpdateType", + "System.Management.Automation.BreakpointUpdatedEventArgs", + "System.Management.Automation.PSJobStartEventArgs", + "System.Management.Automation.StartRunspaceDebugProcessingEventArgs", + "System.Management.Automation.ProcessRunspaceDebugEndEventArgs", + "System.Management.Automation.DebugModes", + "System.Management.Automation.Debugger", + "System.Management.Automation.DebuggerCommandResults", + "System.Management.Automation.PSDebugContext", + "System.Management.Automation.CallStackFrame", + "System.Management.Automation.DriveManagementIntrinsics", + "System.Management.Automation.ImplementedAsType", + "System.Management.Automation.DscResourceInfo", + "System.Management.Automation.DscResourcePropertyInfo", + "System.Management.Automation.EngineIntrinsics", + "System.Management.Automation.FlagsExpression`1[T]", + "System.Management.Automation.ErrorCategory", + "System.Management.Automation.ErrorCategoryInfo", + "System.Management.Automation.ErrorDetails", + "System.Management.Automation.ErrorRecord", + "System.Management.Automation.IContainsErrorRecord", + "System.Management.Automation.IResourceSupplier", + "System.Management.Automation.PSEventManager", + "System.Management.Automation.PSEngineEvent", + "System.Management.Automation.PSEventSubscriber", + "System.Management.Automation.PSEventHandler", + "System.Management.Automation.ForwardedEventArgs", + "System.Management.Automation.PSEventArgs", + "System.Management.Automation.PSEventReceivedEventHandler", + "System.Management.Automation.PSEventUnsubscribedEventArgs", + "System.Management.Automation.PSEventUnsubscribedEventHandler", + "System.Management.Automation.PSEventArgsCollection", + "System.Management.Automation.PSEventJob", + "ExperimentalFeature", + "ExperimentAction", + "Experimental", + "System.Management.Automation.ExtendedTypeSystemException", + "System.Management.Automation.MethodException", + "System.Management.Automation.MethodInvocationException", + "System.Management.Automation.GetValueException", + "System.Management.Automation.PropertyNotFoundException", + "System.Management.Automation.GetValueInvocationException", + "System.Management.Automation.SetValueException", + "System.Management.Automation.SetValueInvocationException", + "System.Management.Automation.PSInvalidCastException", + "System.Management.Automation.ExternalScriptInfo", + "System.Management.Automation.PSSnapInSpecification", + "System.Management.Automation.FilterInfo", + "System.Management.Automation.FunctionInfo", + "System.Management.Automation.HostUtilities", + "System.Management.Automation.InformationalRecord", + "System.Management.Automation.WarningRecord", + "System.Management.Automation.DebugRecord", + "System.Management.Automation.VerboseRecord", + "pslistmodifier", + "System.Management.Automation.PSListModifier`1[T]", + "System.Management.Automation.InvalidPowerShellStateException", + "System.Management.Automation.PSInvocationState", + "System.Management.Automation.RunspaceMode", + "System.Management.Automation.PSInvocationStateInfo", + "System.Management.Automation.PSInvocationStateChangedEventArgs", + "System.Management.Automation.PSInvocationSettings", + "System.Management.Automation.RemoteStreamOptions", + "powershell", + "System.Management.Automation.PSDataStreams", + "System.Management.Automation.PSCommand", + "System.Management.Automation.DataAddedEventArgs", + "System.Management.Automation.DataAddingEventArgs", + "System.Management.Automation.PSDataCollection`1[T]", + "System.Management.Automation.ICommandRuntime", + "System.Management.Automation.ICommandRuntime2", + "System.Management.Automation.InformationRecord", + "System.Management.Automation.HostInformationMessage", + "System.Management.Automation.InvocationInfo", + "System.Management.Automation.RemoteCommandInfo", + "System.Management.Automation.ItemCmdletProviderIntrinsics", + "System.Management.Automation.CopyContainers", + "System.Management.Automation.PSTypeConverter", + "System.Management.Automation.ConvertThroughString", + "System.Management.Automation.LanguagePrimitives", + "System.Management.Automation.PSParseError", + "System.Management.Automation.PSParser", + "System.Management.Automation.PSToken", + "System.Management.Automation.PSTokenType", + "System.Management.Automation.FlowControlException", + "System.Management.Automation.LoopFlowException", + "System.Management.Automation.BreakException", + "System.Management.Automation.ContinueException", + "System.Management.Automation.ExitException", + "System.Management.Automation.TerminateException", + "System.Management.Automation.SplitOptions", + "scriptblock", + "System.Management.Automation.SteppablePipeline", + "System.Management.Automation.ScriptBlockToPowerShellNotSupportedException", + "System.Management.Automation.ModuleIntrinsics", + "System.Management.Automation.IModuleAssemblyInitializer", + "System.Management.Automation.IModuleAssemblyCleanup", + "psmoduleinfo", + "System.Management.Automation.ModuleType", + "System.Management.Automation.ModuleAccessMode", + "System.Management.Automation.IDynamicParameters", + "switch", + "System.Management.Automation.CommandInvocationIntrinsics", + "System.Management.Automation.PSMemberTypes", + "System.Management.Automation.PSMemberViewTypes", + "System.Management.Automation.PSMemberInfo", + "System.Management.Automation.PSPropertyInfo", + "psaliasproperty", + "System.Management.Automation.PSCodeProperty", + "System.Management.Automation.PSProperty", + "System.Management.Automation.PSAdaptedProperty", + "psnoteproperty", + "psvariableproperty", + "psscriptproperty", + "System.Management.Automation.PSMethodInfo", + "System.Management.Automation.PSCodeMethod", + "psscriptmethod", + "System.Management.Automation.PSMethod", + "System.Management.Automation.PSParameterizedProperty", + "System.Management.Automation.PSMemberSet", + "System.Management.Automation.PSPropertySet", + "System.Management.Automation.PSEvent", + "System.Management.Automation.PSDynamicMember", + "System.Management.Automation.MemberNamePredicate", + "System.Management.Automation.PSMemberInfoCollection`1[T]", + "System.Management.Automation.ReadOnlyPSMemberInfoCollection`1[T]", + "psobject", + "PSCustomObject", + "System.Management.Automation.SettingValueExceptionEventArgs", + "System.Management.Automation.GettingValueExceptionEventArgs", + "System.Management.Automation.PSObjectPropertyDescriptor", + "System.Management.Automation.PSObjectTypeDescriptor", + "System.Management.Automation.PSObjectTypeDescriptionProvider", + "ref", + "System.Management.Automation.PSSecurityException", + "System.Management.Automation.NativeCommandExitException", + "System.Management.Automation.RemoteException", + "System.Management.Automation.OrderedHashtable", + "System.Management.Automation.CommandParameterInfo", + "System.Management.Automation.CommandParameterSetInfo", + "System.Management.Automation.TypeInferenceRuntimePermissions", + "System.Management.Automation.PathIntrinsics", + "System.Management.Automation.PowerShellStreamType", + "System.Management.Automation.ProgressRecord", + "System.Management.Automation.ProgressRecordType", + "System.Management.Automation.PropertyCmdletProviderIntrinsics", + "System.Management.Automation.CmdletProviderManagementIntrinsics", + "System.Management.Automation.ProxyCommand", + "System.Management.Automation.PSClassInfo", + "System.Management.Automation.PSClassMemberInfo", + "System.Management.Automation.RuntimeDefinedParameter", + "System.Management.Automation.RuntimeDefinedParameterDictionary", + "System.Management.Automation.PSVersionInfo", + "System.Management.Automation.PSVersionHashTable", + "semver", + "System.Management.Automation.WildcardOptions", + "WildcardPattern", + "System.Management.Automation.WildcardPatternException", + "System.Management.Automation.JobState", + "System.Management.Automation.InvalidJobStateException", + "System.Management.Automation.JobStateInfo", + "System.Management.Automation.JobStateEventArgs", + "System.Management.Automation.JobIdentifier", + "System.Management.Automation.IJobDebugger", + "System.Management.Automation.Job", + "System.Management.Automation.Job2", + "System.Management.Automation.JobThreadOptions", + "System.Management.Automation.ContainerParentJob", + "System.Management.Automation.JobFailedException", + "System.Management.Automation.JobManager", + "System.Management.Automation.JobDefinition", + "System.Management.Automation.JobInvocationInfo", + "System.Management.Automation.JobSourceAdapter", + "System.Management.Automation.PowerShellStreams`2[TInput,TOutput]", + "System.Management.Automation.Repository`1[T]", + "System.Management.Automation.JobRepository", + "System.Management.Automation.RunspaceRepository", + "System.Management.Automation.RemotingCapability", + "System.Management.Automation.RemotingBehavior", + "System.Management.Automation.PSSessionTypeOption", + "System.Management.Automation.PSTransportOption", + "System.Management.Automation.RunspacePoolStateInfo", + "System.Management.Automation.WhereOperatorSelectionMode", + "System.Management.Automation.ScriptInfo", + "System.Management.Automation.SecurityDescriptorCmdletProviderIntrinsics", + "System.Management.Automation.CommandOrigin", + "System.Management.Automation.AuthorizationManager", + "System.Management.Automation.PSSerializer", + "psprimitivedictionary", + "System.Management.Automation.LocationChangedEventArgs", + "System.Management.Automation.SessionState", + "System.Management.Automation.SessionStateEntryVisibility", + "System.Management.Automation.PSLanguageMode", + "psvariable", + "System.Management.Automation.ScopedItemOptions", + "System.Management.Automation.PSPropertyAdapter", + "System.Management.Automation.ParameterSetMetadata", + "System.Management.Automation.ParameterMetadata", + "System.Management.Automation.PagingParameters", + "System.Management.Automation.PSVariableIntrinsics", + "System.Management.Automation.VariablePath", + "System.Management.Automation.ExtendedTypeDefinition", + "System.Management.Automation.FormatViewDefinition", + "System.Management.Automation.PSControl", + "System.Management.Automation.PSControlGroupBy", + "System.Management.Automation.DisplayEntry", + "System.Management.Automation.EntrySelectedBy", + "System.Management.Automation.Alignment", + "System.Management.Automation.DisplayEntryValueType", + "System.Management.Automation.CustomControl", + "System.Management.Automation.CustomControlEntry", + "System.Management.Automation.CustomItemBase", + "System.Management.Automation.CustomItemExpression", + "System.Management.Automation.CustomItemFrame", + "System.Management.Automation.CustomItemNewline", + "System.Management.Automation.CustomItemText", + "System.Management.Automation.CustomEntryBuilder", + "System.Management.Automation.CustomControlBuilder", + "System.Management.Automation.ListControl", + "System.Management.Automation.ListControlEntry", + "System.Management.Automation.ListControlEntryItem", + "System.Management.Automation.ListEntryBuilder", + "System.Management.Automation.ListControlBuilder", + "System.Management.Automation.TableControl", + "System.Management.Automation.TableControlColumnHeader", + "System.Management.Automation.TableControlColumn", + "System.Management.Automation.TableControlRow", + "System.Management.Automation.TableRowDefinitionBuilder", + "System.Management.Automation.TableControlBuilder", + "System.Management.Automation.WideControl", + "System.Management.Automation.WideControlEntryItem", + "System.Management.Automation.WideControlBuilder", + "System.Management.Automation.OutputRendering", + "System.Management.Automation.ProgressView", + "System.Management.Automation.PSStyle", + "System.Management.Automation.PathInfo", + "System.Management.Automation.PathInfoStack", + "System.Management.Automation.SigningOption", + "System.Management.Automation.CatalogValidationStatus", + "System.Management.Automation.CatalogInformation", + "System.Management.Automation.CredentialAttribute", + "System.Management.Automation.SignatureStatus", + "System.Management.Automation.SignatureType", + "System.Management.Automation.Signature", + "System.Management.Automation.CmsMessageRecipient", + "System.Management.Automation.ResolutionPurpose", + "System.Management.Automation.PSSnapInInfo", + "System.Management.Automation.CommandNotFoundException", + "System.Management.Automation.ScriptRequiresException", + "System.Management.Automation.ApplicationFailedException", + "System.Management.Automation.ProviderCmdlet", + "System.Management.Automation.CmdletInvocationException", + "System.Management.Automation.CmdletProviderInvocationException", + "System.Management.Automation.PipelineStoppedException", + "System.Management.Automation.PipelineClosedException", + "System.Management.Automation.ActionPreferenceStopException", + "System.Management.Automation.ParentContainsErrorRecordException", + "System.Management.Automation.RedirectedException", + "System.Management.Automation.ScriptCallDepthException", + "System.Management.Automation.PipelineDepthException", + "System.Management.Automation.HaltCommandException", + "System.Management.Automation.MetadataException", + "System.Management.Automation.ValidationMetadataException", + "System.Management.Automation.ArgumentTransformationMetadataException", + "System.Management.Automation.ParsingMetadataException", + "System.Management.Automation.PSArgumentException", + "System.Management.Automation.PSArgumentNullException", + "System.Management.Automation.PSArgumentOutOfRangeException", + "System.Management.Automation.PSInvalidOperationException", + "System.Management.Automation.PSNotImplementedException", + "System.Management.Automation.PSNotSupportedException", + "System.Management.Automation.PSObjectDisposedException", + "System.Management.Automation.PSTraceSource", + "System.Management.Automation.ParameterBindingException", + "System.Management.Automation.ParseException", + "System.Management.Automation.IncompleteParseException", + "System.Management.Automation.RuntimeException", + "System.Management.Automation.ProviderInvocationException", + "System.Management.Automation.SessionStateCategory", + "System.Management.Automation.SessionStateException", + "System.Management.Automation.SessionStateUnauthorizedAccessException", + "System.Management.Automation.ProviderNotFoundException", + "System.Management.Automation.ProviderNameAmbiguousException", + "System.Management.Automation.DriveNotFoundException", + "System.Management.Automation.ItemNotFoundException", + "System.Management.Automation.PSTraceSourceOptions", + "System.Management.Automation.VerbsCommon", + "System.Management.Automation.VerbsData", + "System.Management.Automation.VerbsLifecycle", + "System.Management.Automation.VerbsDiagnostic", + "System.Management.Automation.VerbsCommunications", + "System.Management.Automation.VerbsSecurity", + "System.Management.Automation.VerbsOther", + "System.Management.Automation.VerbInfo", + "System.Management.Automation.VTUtility", + "System.Management.Automation.Tracing.PowerShellTraceEvent", + "System.Management.Automation.Tracing.PowerShellTraceChannel", + "System.Management.Automation.Tracing.PowerShellTraceLevel", + "System.Management.Automation.Tracing.PowerShellTraceOperationCode", + "System.Management.Automation.Tracing.PowerShellTraceTask", + "System.Management.Automation.Tracing.PowerShellTraceKeywords", + "System.Management.Automation.Tracing.BaseChannelWriter", + "System.Management.Automation.Tracing.NullWriter", + "System.Management.Automation.Tracing.PowerShellChannelWriter", + "System.Management.Automation.Tracing.PowerShellTraceSource", + "System.Management.Automation.Tracing.PowerShellTraceSourceFactory", + "System.Management.Automation.Tracing.EtwEvent", + "System.Management.Automation.Tracing.CallbackNoParameter", + "System.Management.Automation.Tracing.CallbackWithState", + "System.Management.Automation.Tracing.CallbackWithStateAndArgs", + "System.Management.Automation.Tracing.EtwEventArgs", + "System.Management.Automation.Tracing.EtwActivity", + "System.Management.Automation.Tracing.IEtwActivityReverter", + "System.Management.Automation.Tracing.IEtwEventCorrelator", + "System.Management.Automation.Tracing.EtwEventCorrelator", + "System.Management.Automation.Tracing.Tracer", + "System.Management.Automation.Security.SystemScriptFileEnforcement", + "System.Management.Automation.Security.SystemEnforcementMode", + "System.Management.Automation.Security.SystemPolicy", + "System.Management.Automation.Provider.ContainerCmdletProvider", + "System.Management.Automation.Provider.DriveCmdletProvider", + "System.Management.Automation.Provider.IContentCmdletProvider", + "System.Management.Automation.Provider.IContentReader", + "System.Management.Automation.Provider.IContentWriter", + "System.Management.Automation.Provider.IDynamicPropertyCmdletProvider", + "System.Management.Automation.Provider.ISecurityDescriptorCmdletProvider", + "System.Management.Automation.Provider.IPropertyCmdletProvider", + "System.Management.Automation.Provider.ItemCmdletProvider", + "System.Management.Automation.Provider.NavigationCmdletProvider", + "System.Management.Automation.Provider.ICmdletProviderSupportsHelp", + "System.Management.Automation.Provider.CmdletProvider", + "System.Management.Automation.Provider.CmdletProviderAttribute", + "System.Management.Automation.Provider.ProviderCapabilities", + "System.Management.Automation.Subsystem.GetPSSubsystemCommand", + "System.Management.Automation.Subsystem.SubsystemKind", + "System.Management.Automation.Subsystem.ISubsystem", + "System.Management.Automation.Subsystem.SubsystemInfo", + "System.Management.Automation.Subsystem.SubsystemManager", + "System.Management.Automation.Subsystem.Prediction.PredictionResult", + "System.Management.Automation.Subsystem.Prediction.CommandPrediction", + "System.Management.Automation.Subsystem.Prediction.ICommandPredictor", + "System.Management.Automation.Subsystem.Prediction.PredictorFeedbackKind", + "System.Management.Automation.Subsystem.Prediction.PredictionClientKind", + "System.Management.Automation.Subsystem.Prediction.PredictionClient", + "System.Management.Automation.Subsystem.Prediction.PredictionContext", + "System.Management.Automation.Subsystem.Prediction.PredictiveSuggestion", + "System.Management.Automation.Subsystem.Prediction.SuggestionPackage", + "System.Management.Automation.Subsystem.Feedback.FeedbackResult", + "System.Management.Automation.Subsystem.Feedback.FeedbackHub", + "System.Management.Automation.Subsystem.Feedback.FeedbackTrigger", + "System.Management.Automation.Subsystem.Feedback.FeedbackDisplayLayout", + "System.Management.Automation.Subsystem.Feedback.FeedbackContext", + "System.Management.Automation.Subsystem.Feedback.FeedbackItem", + "System.Management.Automation.Subsystem.Feedback.IFeedbackProvider", + "System.Management.Automation.Subsystem.DSC.ICrossPlatformDsc", + "System.Management.Automation.Remoting.OriginInfo", + "System.Management.Automation.Remoting.ProxyAccessType", + "System.Management.Automation.Remoting.PSSessionOption", + "System.Management.Automation.Remoting.CmdletMethodInvoker`1[T]", + "System.Management.Automation.Remoting.RemoteSessionNamedPipeServer", + "System.Management.Automation.Remoting.PSRemotingDataStructureException", + "System.Management.Automation.Remoting.PSRemotingTransportException", + "System.Management.Automation.Remoting.PSRemotingTransportRedirectException", + "System.Management.Automation.Remoting.PSDirectException", + "System.Management.Automation.Remoting.TransportMethodEnum", + "System.Management.Automation.Remoting.TransportErrorOccuredEventArgs", + "System.Management.Automation.Remoting.BaseTransportManager", + "System.Management.Automation.Remoting.PSSessionConfiguration", + "System.Management.Automation.Remoting.SessionType", + "System.Management.Automation.Remoting.PSSenderInfo", + "System.Management.Automation.Remoting.PSPrincipal", + "System.Management.Automation.Remoting.PSIdentity", + "System.Management.Automation.Remoting.PSCertificateDetails", + "System.Management.Automation.Remoting.PSSessionConfigurationData", + "System.Management.Automation.Remoting.WSManPluginManagedEntryWrapper", + "System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper", + "System.Management.Automation.Remoting.WSMan.WSManServerChannelEvents", + "System.Management.Automation.Remoting.WSMan.ActiveSessionsChangedEventArgs", + "System.Management.Automation.Remoting.Client.BaseClientTransportManager", + "System.Management.Automation.Remoting.Client.BaseClientSessionTransportManager", + "System.Management.Automation.Remoting.Client.ClientSessionTransportManagerBase", + "System.Management.Automation.Remoting.Internal.PSStreamObjectType", + "System.Management.Automation.Remoting.Internal.PSStreamObject", + "System.Management.Automation.Configuration.ConfigScope", + "System.Management.Automation.PSTasks.PSTaskJob", + "System.Management.Automation.Host.ChoiceDescription", + "System.Management.Automation.Host.FieldDescription", + "System.Management.Automation.Host.PSHost", + "System.Management.Automation.Host.IHostSupportsInteractiveSession", + "System.Management.Automation.Host.Coordinates", + "System.Management.Automation.Host.Size", + "System.Management.Automation.Host.ReadKeyOptions", + "System.Management.Automation.Host.ControlKeyStates", + "System.Management.Automation.Host.KeyInfo", + "System.Management.Automation.Host.Rectangle", + "System.Management.Automation.Host.BufferCell", + "System.Management.Automation.Host.BufferCellType", + "System.Management.Automation.Host.PSHostRawUserInterface", + "System.Management.Automation.Host.PSHostUserInterface", + "System.Management.Automation.Host.IHostUISupportsMultipleChoiceSelection", + "System.Management.Automation.Host.HostException", + "System.Management.Automation.Host.PromptingException", + "System.Management.Automation.Runspaces.Command", + "System.Management.Automation.Runspaces.PipelineResultTypes", + "System.Management.Automation.Runspaces.CommandCollection", + "System.Management.Automation.Runspaces.InvalidRunspaceStateException", + "System.Management.Automation.Runspaces.RunspaceState", + "System.Management.Automation.Runspaces.PSThreadOptions", + "System.Management.Automation.Runspaces.RunspaceStateInfo", + "System.Management.Automation.Runspaces.RunspaceStateEventArgs", + "System.Management.Automation.Runspaces.RunspaceAvailability", + "System.Management.Automation.Runspaces.RunspaceAvailabilityEventArgs", + "System.Management.Automation.Runspaces.RunspaceCapability", + "runspace", + "System.Management.Automation.Runspaces.SessionStateProxy", + "runspacefactory", + "System.Management.Automation.Runspaces.RunspaceOpenModuleLoadException", + "System.Management.Automation.Runspaces.CommandParameter", + "System.Management.Automation.Runspaces.CommandParameterCollection", + "System.Management.Automation.Runspaces.InvalidPipelineStateException", + "System.Management.Automation.Runspaces.PipelineState", + "System.Management.Automation.Runspaces.PipelineStateInfo", + "System.Management.Automation.Runspaces.PipelineStateEventArgs", + "System.Management.Automation.Runspaces.Pipeline", + "System.Management.Automation.Runspaces.PowerShellProcessInstance", + "System.Management.Automation.Runspaces.InvalidRunspacePoolStateException", + "System.Management.Automation.Runspaces.RunspacePoolState", + "System.Management.Automation.Runspaces.RunspacePoolStateChangedEventArgs", + "System.Management.Automation.Runspaces.RunspacePoolAvailability", + "System.Management.Automation.Runspaces.RunspacePoolCapability", + "System.Management.Automation.Runspaces.RunspacePool", + "System.Management.Automation.Runspaces.InitialSessionStateEntry", + "System.Management.Automation.Runspaces.ConstrainedSessionStateEntry", + "System.Management.Automation.Runspaces.SessionStateCommandEntry", + "System.Management.Automation.Runspaces.SessionStateTypeEntry", + "System.Management.Automation.Runspaces.SessionStateFormatEntry", + "System.Management.Automation.Runspaces.SessionStateAssemblyEntry", + "System.Management.Automation.Runspaces.SessionStateCmdletEntry", + "System.Management.Automation.Runspaces.SessionStateProviderEntry", + "System.Management.Automation.Runspaces.SessionStateScriptEntry", + "System.Management.Automation.Runspaces.SessionStateAliasEntry", + "System.Management.Automation.Runspaces.SessionStateApplicationEntry", + "System.Management.Automation.Runspaces.SessionStateFunctionEntry", + "System.Management.Automation.Runspaces.SessionStateVariableEntry", + "System.Management.Automation.Runspaces.InitialSessionStateEntryCollection`1[T]", + "initialsessionstate", + "System.Management.Automation.Runspaces.TargetMachineType", + "System.Management.Automation.Runspaces.PSSession", + "System.Management.Automation.Runspaces.RemotingErrorRecord", + "System.Management.Automation.Runspaces.RemotingProgressRecord", + "System.Management.Automation.Runspaces.RemotingWarningRecord", + "System.Management.Automation.Runspaces.RemotingDebugRecord", + "System.Management.Automation.Runspaces.RemotingVerboseRecord", + "System.Management.Automation.Runspaces.RemotingInformationRecord", + "System.Management.Automation.Runspaces.AuthenticationMechanism", + "System.Management.Automation.Runspaces.PSSessionConfigurationAccessMode", + "System.Management.Automation.Runspaces.OutputBufferingMode", + "System.Management.Automation.Runspaces.RunspaceConnectionInfo", + "System.Management.Automation.Runspaces.WSManConnectionInfo", + "System.Management.Automation.Runspaces.NamedPipeConnectionInfo", + "System.Management.Automation.Runspaces.SSHConnectionInfo", + "System.Management.Automation.Runspaces.VMConnectionInfo", + "System.Management.Automation.Runspaces.ContainerConnectionInfo", + "System.Management.Automation.Runspaces.TypeTableLoadException", + "System.Management.Automation.Runspaces.TypeData", + "System.Management.Automation.Runspaces.TypeMemberData", + "System.Management.Automation.Runspaces.NotePropertyData", + "System.Management.Automation.Runspaces.AliasPropertyData", + "System.Management.Automation.Runspaces.ScriptPropertyData", + "System.Management.Automation.Runspaces.CodePropertyData", + "System.Management.Automation.Runspaces.ScriptMethodData", + "System.Management.Automation.Runspaces.CodeMethodData", + "System.Management.Automation.Runspaces.PropertySetData", + "System.Management.Automation.Runspaces.MemberSetData", + "System.Management.Automation.Runspaces.TypeTable", + "System.Management.Automation.Runspaces.FormatTableLoadException", + "System.Management.Automation.Runspaces.FormatTable", + "System.Management.Automation.Runspaces.PSConsoleLoadException", + "System.Management.Automation.Runspaces.PSSnapInException", + "System.Management.Automation.Runspaces.PipelineReader`1[T]", + "System.Management.Automation.Runspaces.PipelineWriter", + "System.Management.Automation.Language.StaticParameterBinder", + "System.Management.Automation.Language.StaticBindingResult", + "System.Management.Automation.Language.ParameterBindingResult", + "System.Management.Automation.Language.StaticBindingError", + "System.Management.Automation.Language.CodeGeneration", + "NullString", + "System.Management.Automation.Language.Ast", + "System.Management.Automation.Language.ErrorStatementAst", + "System.Management.Automation.Language.ErrorExpressionAst", + "System.Management.Automation.Language.ScriptRequirements", + "System.Management.Automation.Language.ScriptBlockAst", + "System.Management.Automation.Language.ParamBlockAst", + "System.Management.Automation.Language.NamedBlockAst", + "System.Management.Automation.Language.NamedAttributeArgumentAst", + "System.Management.Automation.Language.AttributeBaseAst", + "System.Management.Automation.Language.AttributeAst", + "System.Management.Automation.Language.TypeConstraintAst", + "System.Management.Automation.Language.ParameterAst", + "System.Management.Automation.Language.StatementBlockAst", + "System.Management.Automation.Language.StatementAst", + "System.Management.Automation.Language.TypeAttributes", + "System.Management.Automation.Language.TypeDefinitionAst", + "System.Management.Automation.Language.UsingStatementKind", + "System.Management.Automation.Language.UsingStatementAst", + "System.Management.Automation.Language.MemberAst", + "System.Management.Automation.Language.PropertyAttributes", + "System.Management.Automation.Language.PropertyMemberAst", + "System.Management.Automation.Language.MethodAttributes", + "System.Management.Automation.Language.FunctionMemberAst", + "System.Management.Automation.Language.FunctionDefinitionAst", + "System.Management.Automation.Language.IfStatementAst", + "System.Management.Automation.Language.DataStatementAst", + "System.Management.Automation.Language.LabeledStatementAst", + "System.Management.Automation.Language.LoopStatementAst", + "System.Management.Automation.Language.ForEachFlags", + "System.Management.Automation.Language.ForEachStatementAst", + "System.Management.Automation.Language.ForStatementAst", + "System.Management.Automation.Language.DoWhileStatementAst", + "System.Management.Automation.Language.DoUntilStatementAst", + "System.Management.Automation.Language.WhileStatementAst", + "System.Management.Automation.Language.SwitchFlags", + "System.Management.Automation.Language.SwitchStatementAst", + "System.Management.Automation.Language.CatchClauseAst", + "System.Management.Automation.Language.TryStatementAst", + "System.Management.Automation.Language.TrapStatementAst", + "System.Management.Automation.Language.BreakStatementAst", + "System.Management.Automation.Language.ContinueStatementAst", + "System.Management.Automation.Language.ReturnStatementAst", + "System.Management.Automation.Language.ExitStatementAst", + "System.Management.Automation.Language.ThrowStatementAst", + "System.Management.Automation.Language.ChainableAst", + "System.Management.Automation.Language.PipelineChainAst", + "System.Management.Automation.Language.PipelineBaseAst", + "System.Management.Automation.Language.PipelineAst", + "System.Management.Automation.Language.CommandElementAst", + "System.Management.Automation.Language.CommandParameterAst", + "System.Management.Automation.Language.CommandBaseAst", + "System.Management.Automation.Language.CommandAst", + "System.Management.Automation.Language.CommandExpressionAst", + "System.Management.Automation.Language.RedirectionAst", + "System.Management.Automation.Language.RedirectionStream", + "System.Management.Automation.Language.MergingRedirectionAst", + "System.Management.Automation.Language.FileRedirectionAst", + "System.Management.Automation.Language.AssignmentStatementAst", + "System.Management.Automation.Language.ConfigurationType", + "System.Management.Automation.Language.ConfigurationDefinitionAst", + "System.Management.Automation.Language.DynamicKeywordStatementAst", + "System.Management.Automation.Language.ExpressionAst", + "System.Management.Automation.Language.TernaryExpressionAst", + "System.Management.Automation.Language.BinaryExpressionAst", + "System.Management.Automation.Language.UnaryExpressionAst", + "System.Management.Automation.Language.BlockStatementAst", + "System.Management.Automation.Language.AttributedExpressionAst", + "System.Management.Automation.Language.ConvertExpressionAst", + "System.Management.Automation.Language.MemberExpressionAst", + "System.Management.Automation.Language.InvokeMemberExpressionAst", + "System.Management.Automation.Language.BaseCtorInvokeMemberExpressionAst", + "System.Management.Automation.Language.ITypeName", + "System.Management.Automation.Language.TypeName", + "System.Management.Automation.Language.GenericTypeName", + "System.Management.Automation.Language.ArrayTypeName", + "System.Management.Automation.Language.ReflectionTypeName", + "System.Management.Automation.Language.TypeExpressionAst", + "System.Management.Automation.Language.VariableExpressionAst", + "System.Management.Automation.Language.ConstantExpressionAst", + "System.Management.Automation.Language.StringConstantType", + "System.Management.Automation.Language.StringConstantExpressionAst", + "System.Management.Automation.Language.ExpandableStringExpressionAst", + "System.Management.Automation.Language.ScriptBlockExpressionAst", + "System.Management.Automation.Language.ArrayLiteralAst", + "System.Management.Automation.Language.HashtableAst", + "System.Management.Automation.Language.ArrayExpressionAst", + "System.Management.Automation.Language.ParenExpressionAst", + "System.Management.Automation.Language.SubExpressionAst", + "System.Management.Automation.Language.UsingExpressionAst", + "System.Management.Automation.Language.IndexExpressionAst", + "System.Management.Automation.Language.CommentHelpInfo", + "System.Management.Automation.Language.ICustomAstVisitor", + "System.Management.Automation.Language.ICustomAstVisitor2", + "System.Management.Automation.Language.DefaultCustomAstVisitor", + "System.Management.Automation.Language.DefaultCustomAstVisitor2", + "System.Management.Automation.Language.Parser", + "System.Management.Automation.Language.ParseError", + "System.Management.Automation.Language.IScriptPosition", + "System.Management.Automation.Language.IScriptExtent", + "System.Management.Automation.Language.ScriptPosition", + "System.Management.Automation.Language.ScriptExtent", + "System.Management.Automation.Language.AstVisitAction", + "System.Management.Automation.Language.AstVisitor", + "System.Management.Automation.Language.AstVisitor2", + "System.Management.Automation.Language.IAstPostVisitHandler", + "NoRunspaceAffinity", + "System.Management.Automation.Language.TokenKind", + "System.Management.Automation.Language.TokenFlags", + "System.Management.Automation.Language.TokenTraits", + "System.Management.Automation.Language.Token", + "System.Management.Automation.Language.NumberToken", + "System.Management.Automation.Language.ParameterToken", + "System.Management.Automation.Language.VariableToken", + "System.Management.Automation.Language.StringToken", + "System.Management.Automation.Language.StringLiteralToken", + "System.Management.Automation.Language.StringExpandableToken", + "System.Management.Automation.Language.LabelToken", + "System.Management.Automation.Language.RedirectionToken", + "System.Management.Automation.Language.InputRedirectionToken", + "System.Management.Automation.Language.MergingRedirectionToken", + "System.Management.Automation.Language.FileRedirectionToken", + "System.Management.Automation.Language.DynamicKeywordNameMode", + "System.Management.Automation.Language.DynamicKeywordBodyMode", + "System.Management.Automation.Language.DynamicKeyword", + "System.Management.Automation.Language.DynamicKeywordProperty", + "System.Management.Automation.Language.DynamicKeywordParameter", + "System.Management.Automation.Internal.CmdletMetadataAttribute", + "System.Management.Automation.Internal.ParsingBaseAttribute", + "System.Management.Automation.Internal.AutomationNull", + "System.Management.Automation.Internal.InternalCommand", + "System.Management.Automation.Internal.CommonParameters", + "System.Management.Automation.Internal.DebuggerUtils", + "System.Management.Automation.Internal.PSMonitorRunspaceType", + "System.Management.Automation.Internal.PSMonitorRunspaceInfo", + "System.Management.Automation.Internal.PSStandaloneMonitorRunspaceInfo", + "System.Management.Automation.Internal.PSEmbeddedMonitorRunspaceInfo", + "System.Management.Automation.Internal.SessionStateKeeper", + "System.Management.Automation.Internal.ScriptBlockMemberMethodWrapper", + "System.Management.Automation.Internal.ClassOps", + "System.Management.Automation.Internal.ShouldProcessParameters", + "System.Management.Automation.Internal.TransactionParameters", + "System.Management.Automation.Internal.InternalTestHooks", + "System.Management.Automation.Internal.StringDecorated", + "System.Management.Automation.Internal.AlternateStreamData", + "System.Management.Automation.Internal.AlternateDataStreamUtilities", + "System.Management.Automation.Internal.SecuritySupport", + "System.Management.Automation.Internal.PSRemotingCryptoHelper", + "Microsoft.PowerShell.ToStringCodeMethods", + "Microsoft.PowerShell.AdapterCodeMethods", + "Microsoft.PowerShell.ProcessCodeMethods", + "Microsoft.PowerShell.DeserializingTypeConverter", + "Microsoft.PowerShell.PSAuthorizationManager", + "Microsoft.PowerShell.ExecutionPolicy", + "Microsoft.PowerShell.ExecutionPolicyScope", + "Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry", + "Microsoft.PowerShell.DesiredStateConfiguration.ArgumentToConfigurationDataTransformationAttribute", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscRemoteOperationsClass", + "Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache", + "Microsoft.PowerShell.Commands.EnableDisableExperimentalFeatureCommandBase", + "Microsoft.PowerShell.Commands.EnableExperimentalFeatureCommand", + "Microsoft.PowerShell.Commands.DisableExperimentalFeatureCommand", + "Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter", + "Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand", + "Microsoft.PowerShell.Commands.GetCommandCommand", + "Microsoft.PowerShell.Commands.NounArgumentCompleter", + "Microsoft.PowerShell.Commands.HistoryInfo", + "Microsoft.PowerShell.Commands.GetHistoryCommand", + "Microsoft.PowerShell.Commands.InvokeHistoryCommand", + "Microsoft.PowerShell.Commands.AddHistoryCommand", + "Microsoft.PowerShell.Commands.ClearHistoryCommand", + "Microsoft.PowerShell.Commands.ForEachObjectCommand", + "Microsoft.PowerShell.Commands.WhereObjectCommand", + "Microsoft.PowerShell.Commands.SetPSDebugCommand", + "Microsoft.PowerShell.Commands.SetStrictModeCommand", + "Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter", + "Microsoft.PowerShell.Commands.ExportModuleMemberCommand", + "Microsoft.PowerShell.Commands.GetModuleCommand", + "Microsoft.PowerShell.Commands.PSEditionArgumentCompleter", + "Microsoft.PowerShell.Commands.ImportModuleCommand", + "Microsoft.PowerShell.Commands.ModuleCmdletBase", + "Microsoft.PowerShell.Commands.ModuleSpecification", + "Microsoft.PowerShell.Commands.NewModuleCommand", + "Microsoft.PowerShell.Commands.NewModuleManifestCommand", + "Microsoft.PowerShell.Commands.RemoveModuleCommand", + "Microsoft.PowerShell.Commands.TestModuleManifestCommand", + "Microsoft.PowerShell.Commands.ObjectEventRegistrationBase", + "Microsoft.PowerShell.Commands.ConnectPSSessionCommand", + "Microsoft.PowerShell.Commands.RegisterPSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.PSSessionConfigurationCommandBase", + "Microsoft.PowerShell.Commands.UnregisterPSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.GetPSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.SetPSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.EnablePSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.DisablePSSessionConfigurationCommand", + "Microsoft.PowerShell.Commands.EnablePSRemotingCommand", + "Microsoft.PowerShell.Commands.DisablePSRemotingCommand", + "Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand", + "Microsoft.PowerShell.Commands.DebugJobCommand", + "Microsoft.PowerShell.Commands.DisconnectPSSessionCommand", + "Microsoft.PowerShell.Commands.EnterPSHostProcessCommand", + "Microsoft.PowerShell.Commands.ExitPSHostProcessCommand", + "Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand", + "Microsoft.PowerShell.Commands.PSHostProcessInfo", + "Microsoft.PowerShell.Commands.GetJobCommand", + "Microsoft.PowerShell.Commands.GetPSSessionCommand", + "Microsoft.PowerShell.Commands.InvokeCommandCommand", + "Microsoft.PowerShell.Commands.NewPSSessionConfigurationFileCommand", + "Microsoft.PowerShell.Commands.NewPSRoleCapabilityFileCommand", + "Microsoft.PowerShell.Commands.WSManConfigurationOption", + "Microsoft.PowerShell.Commands.NewPSTransportOptionCommand", + "Microsoft.PowerShell.Commands.NewPSSessionOptionCommand", + "Microsoft.PowerShell.Commands.NewPSSessionCommand", + "Microsoft.PowerShell.Commands.ExitPSSessionCommand", + "Microsoft.PowerShell.Commands.PSRemotingCmdlet", + "Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet", + "Microsoft.PowerShell.Commands.PSExecutionCmdlet", + "Microsoft.PowerShell.Commands.PSRunspaceCmdlet", + "Microsoft.PowerShell.Commands.SessionFilterState", + "Microsoft.PowerShell.Commands.EnterPSSessionCommand", + "Microsoft.PowerShell.Commands.ReceiveJobCommand", + "Microsoft.PowerShell.Commands.ReceivePSSessionCommand", + "Microsoft.PowerShell.Commands.OutTarget", + "Microsoft.PowerShell.Commands.JobCmdletBase", + "Microsoft.PowerShell.Commands.RemoveJobCommand", + "Microsoft.PowerShell.Commands.RemovePSSessionCommand", + "Microsoft.PowerShell.Commands.StartJobCommand", + "Microsoft.PowerShell.Commands.StopJobCommand", + "Microsoft.PowerShell.Commands.TestPSSessionConfigurationFileCommand", + "Microsoft.PowerShell.Commands.WaitJobCommand", + "Microsoft.PowerShell.Commands.OpenMode", + "Microsoft.PowerShell.Commands.PSPropertyExpressionResult", + "pspropertyexpression", + "Microsoft.PowerShell.Commands.FormatDefaultCommand", + "Microsoft.PowerShell.Commands.OutNullCommand", + "Microsoft.PowerShell.Commands.OutDefaultCommand", + "Microsoft.PowerShell.Commands.OutHostCommand", + "Microsoft.PowerShell.Commands.OutLineOutputCommand", + "Microsoft.PowerShell.Commands.HelpCategoryInvalidException", + "Microsoft.PowerShell.Commands.GetHelpCommand", + "Microsoft.PowerShell.Commands.GetHelpCodeMethods", + "Microsoft.PowerShell.Commands.HelpNotFoundException", + "Microsoft.PowerShell.Commands.SaveHelpCommand", + "Microsoft.PowerShell.Commands.UpdatableHelpCommandBase", + "Microsoft.PowerShell.Commands.UpdateHelpScope", + "Microsoft.PowerShell.Commands.UpdateHelpCommand", + "Microsoft.PowerShell.Commands.AliasProvider", + "Microsoft.PowerShell.Commands.AliasProviderDynamicParameters", + "Microsoft.PowerShell.Commands.EnvironmentProvider", + "Microsoft.PowerShell.Commands.FileSystemProvider", + "Microsoft.PowerShell.Commands.FileSystemContentDynamicParametersBase", + "Microsoft.PowerShell.Commands.FileSystemClearContentDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemContentWriterDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemContentReaderDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemItemProviderDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemProviderGetItemDynamicParameters", + "Microsoft.PowerShell.Commands.FileSystemProviderRemoveItemDynamicParameters", + "Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods", + "Microsoft.PowerShell.Commands.FunctionProvider", + "Microsoft.PowerShell.Commands.FunctionProviderDynamicParameters", + "Microsoft.PowerShell.Commands.RegistryProvider", + "Microsoft.PowerShell.Commands.RegistryProviderSetItemDynamicParameter", + "Microsoft.PowerShell.Commands.SessionStateProviderBase", + "Microsoft.PowerShell.Commands.SessionStateProviderBaseContentReaderWriter", + "Microsoft.PowerShell.Commands.VariableProvider", + "Microsoft.PowerShell.Commands.Internal.RemotingErrorResources", + "Microsoft.PowerShell.Commands.Internal.Format.FrontEndCommandBase", + "Microsoft.PowerShell.Commands.Internal.Format.OuterFormatShapeCommandBase", + "Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableAndListBase", + "Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableBase", + "Microsoft.PowerShell.Cim.CimInstanceAdapter", + "Microsoft.PowerShell.Cmdletization.MethodInvocationInfo", + "Microsoft.PowerShell.Cmdletization.MethodParameterBindings", + "Microsoft.PowerShell.Cmdletization.MethodParameter", + "Microsoft.PowerShell.Cmdletization.CmdletAdapter`1[TObjectInstance]", + "Microsoft.PowerShell.Cmdletization.BehaviorOnNoMatch", + "Microsoft.PowerShell.Cmdletization.QueryBuilder", + "Microsoft.PowerShell.Cmdletization.Xml.ConfirmImpact", + "Microsoft.PowerShell.Cmdletization.Xml.ItemsChoiceType", + "System.Management.Automation.ModuleIntrinsics+PSModulePathScope", + "System.Management.Automation.PSStyle+ForegroundColor", + "System.Management.Automation.PSStyle+BackgroundColor", + "System.Management.Automation.PSStyle+ProgressConfiguration", + "System.Management.Automation.PSStyle+FormattingData", + "System.Management.Automation.PSStyle+FileInfoFormatting", + "System.Management.Automation.VTUtility+VT", + "System.Management.Automation.Subsystem.SubsystemInfo+ImplementationInfo", + "System.Management.Automation.Host.PSHostUserInterface+FormatStyle", + "System.Management.Automation.PSStyle+FileInfoFormatting+FileExtensionDictionary" + ], + "IsFullyTrusted": true, + "CustomAttributes": [ + "[System.Runtime.CompilerServices.ExtensionAttribute()]", + "[System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)]", + "[System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)]", + "[System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)]", + "[System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"powershell-tests,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")]", + "[System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"powershell-perf,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")]", + "[System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Commands.Utility,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")]", + "[System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Commands.Management,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")]", + "[System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Security,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")]", + "[System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"System.Management.Automation.Remoting,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")]", + "[System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.ConsoleHost,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")]", + "[System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.DscSubsystem,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")]", + "[System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")]", + "[System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")]", + "[System.Reflection.AssemblyConfigurationAttribute(\"Release\")]", + "[System.Reflection.AssemblyCopyrightAttribute(\"(c) Microsoft Corporation.\")]", + "[System.Reflection.AssemblyDescriptionAttribute(\"PowerShell's System.Management.Automation project\")]", + "[System.Reflection.AssemblyFileVersionAttribute(\"7.5.2.500\")]", + "[System.Reflection.AssemblyInformationalVersionAttribute(\"7.5.2 SHA: d1a57af02c719f2f1695425f5124bbbf218dbf77+d1a57af02c719f2f1695425f5124bbbf218dbf77\")]", + "[System.Reflection.AssemblyProductAttribute(\"PowerShell\")]", + "[System.Reflection.AssemblyTitleAttribute(\"PowerShell 7\")]", + "[System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")]" + ], + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Management.Automation.dll", + "Modules": [ + "System.Management.Automation.dll" + ], + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Management.Automation.Internal.ParsingBaseAttribute", + "AssemblyQualifiedName": "System.Management.Automation.Internal.ParsingBaseAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Namespace": "System.Management.Automation.Internal", + "GUID": "b9f56e08-d077-381e-8eb1-4e2e0b7ee64f", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "ParsingBaseAttribute", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Management.Automation.dll", + "FullName": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "EntryPoint": null, + "DefinedTypes": "<>f__AnonymousType0`2[j__TPar,j__TPar] <>f__AnonymousType1`2[<<>h__TransparentIdentifier0>j__TPar,j__TPar] <>f__AnonymousType2`2[<<>h__TransparentIdentifier1>j__TPar,j__TPar] <>f__AnonymousType3`2[<<>h__TransparentIdentifier2>j__TPar,j__TPar] <>f__AnonymousType4`2[j__TPar,j__TPar] <>f__AnonymousType5`2[j__TPar,j__TPar] <>F{00000200}`5[T1,T2,T3,T4,TResult] Interop Authenticode AuthorizationManagerBase AutomationExceptions CatalogStrings CimInstanceTypeAdapterResources CmdletizationCoreResources CommandBaseStrings ConsoleInfoErrorStrings CoreClrStubResources Credential CredentialAttributeStrings CredUI DebuggerStrings DescriptionsStrings DiscoveryExceptions EnumExpressionEvaluatorStrings ErrorCategoryStrings ErrorPackage EtwLoggingStrings EventingResources ExperimentalFeatureStrings ExtendedTypeSystem FileSystemProviderStrings FormatAndOutXmlLoadingStrings FormatAndOut_format_xxx FormatAndOut_MshParameter FormatAndOut_out_xxx GetErrorText HelpDisplayStrings HelpErrors HistoryStrings HostInterfaceExceptionsStrings InternalCommandStrings InternalHostStrings InternalHostUserInterfaceStrings Logging Metadata MiniShellErrors Modules MshHostRawUserInterfaceStrings MshSignature MshSnapInCmdletResources MshSnapinInfo NativeCP ParameterBinderStrings ParserStrings PathUtilsStrings PipelineStrings PowerShellStrings ProgressRecordStrings ProviderBaseSecurity ProxyCommandStrings PSCommandStrings PSConfigurationStrings PSDataBufferStrings PSListModifierStrings PSStyleStrings RegistryProviderStrings RemotingErrorIdStrings RunspaceInit RunspacePoolStrings RunspaceStrings SecuritySupportStrings Serialization SessionStateProviderBaseStrings SessionStateStrings StringDecoratedStrings SubsystemStrings SuggestionStrings TabCompletionStrings TransactionStrings TypesXmlStrings VerbDescriptionStrings WildcardPatternStrings System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0 System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__Utilities System.Management.Automation.PowerShellAssemblyLoadContext System.Management.Automation.PowerShellAssemblyLoadContextInitializer System.Management.Automation.PowerShellUnsafeAssemblyLoad System.Management.Automation.Platform System.Management.Automation.PSTransactionContext System.Management.Automation.RollbackSeverity System.Management.Automation.RegistryStringResourceIndirect System.Management.Automation.AliasInfo System.Management.Automation.ApplicationInfo System.Management.Automation.ArgumentToVersionTransformationAttribute System.Management.Automation.ArgumentTypeConverterAttribute System.Management.Automation.AsyncByteStreamTransfer System.Management.Automation.ValidateArgumentsAttribute System.Management.Automation.ValidateEnumeratedArgumentsAttribute System.Management.Automation.DSCResourceRunAsCredential System.Management.Automation.DscResourceAttribute System.Management.Automation.DscPropertyAttribute System.Management.Automation.DscLocalConfigurationManagerAttribute System.Management.Automation.CmdletCommonMetadataAttribute System.Management.Automation.CmdletAttribute System.Management.Automation.CmdletBindingAttribute System.Management.Automation.OutputTypeAttribute System.Management.Automation.DynamicClassImplementationAssemblyAttribute System.Management.Automation.AliasAttribute System.Management.Automation.ParameterAttribute System.Management.Automation.PSTypeNameAttribute System.Management.Automation.SupportsWildcardsAttribute System.Management.Automation.PSDefaultValueAttribute System.Management.Automation.HiddenAttribute System.Management.Automation.ValidateLengthAttribute System.Management.Automation.ValidateRangeKind System.Management.Automation.ValidateRangeAttribute System.Management.Automation.ValidatePatternAttribute System.Management.Automation.ValidateScriptAttribute System.Management.Automation.ValidateCountAttribute System.Management.Automation.CachedValidValuesGeneratorBase System.Management.Automation.ValidateSetAttribute System.Management.Automation.IValidateSetValuesGenerator System.Management.Automation.ValidateTrustedDataAttribute System.Management.Automation.AllowNullAttribute System.Management.Automation.AllowEmptyStringAttribute System.Management.Automation.AllowEmptyCollectionAttribute System.Management.Automation.ValidateDriveAttribute System.Management.Automation.ValidateUserDriveAttribute System.Management.Automation.NullValidationAttributeBase System.Management.Automation.ValidateNotNullAttribute System.Management.Automation.ValidateNotNullOrAttributeBase System.Management.Automation.ValidateNotNullOrEmptyAttribute System.Management.Automation.ValidateNotNullOrWhiteSpaceAttribute System.Management.Automation.ArgumentTransformationAttribute System.Management.Automation.AutomationEngine System.Management.Automation.BytePipe System.Management.Automation.NativeCommandProcessorBytePipe System.Management.Automation.FileBytePipe System.Management.Automation.ChildItemCmdletProviderIntrinsics System.Management.Automation.ReturnContainers System.Management.Automation.Cmdlet System.Management.Automation.ShouldProcessReason System.Management.Automation.ProviderIntrinsics System.Management.Automation.CmdletInfo System.Management.Automation.CmdletParameterBinderController System.Management.Automation.DefaultParameterDictionary System.Management.Automation.NativeArgumentPassingStyle System.Management.Automation.ErrorView System.Management.Automation.ActionPreference System.Management.Automation.ConfirmImpact System.Management.Automation.PSCmdlet System.Management.Automation.CommandCompletion System.Management.Automation.CompletionContext System.Management.Automation.CompletionAnalysis System.Management.Automation.CompletionCompleters System.Management.Automation.SafeExprEvaluator System.Management.Automation.PropertyNameCompleter System.Management.Automation.CompletionResultType System.Management.Automation.CompletionResult System.Management.Automation.ArgumentCompleterAttribute System.Management.Automation.IArgumentCompleter System.Management.Automation.IArgumentCompleterFactory System.Management.Automation.ArgumentCompleterFactoryAttribute System.Management.Automation.RegisterArgumentCompleterCommand System.Management.Automation.ArgumentCompletionsAttribute System.Management.Automation.ScopeArgumentCompleter System.Management.Automation.CommandLookupEventArgs System.Management.Automation.PSModuleAutoLoadingPreference System.Management.Automation.CommandDiscovery System.Management.Automation.LookupPathCollection System.Management.Automation.CommandDiscoveryEventSource System.Management.Automation.CommandTypes System.Management.Automation.CommandInfo System.Management.Automation.PSTypeName System.Management.Automation.PSMemberNameAndType System.Management.Automation.PSSyntheticTypeName System.Management.Automation.IScriptCommandInfo System.Management.Automation.SessionCapabilities System.Management.Automation.CommandMetadata System.Management.Automation.CommandParameterInternal System.Management.Automation.CommandPathSearch System.Management.Automation.CommandProcessor System.Management.Automation.CommandProcessorBase System.Management.Automation.CommandSearcher System.Management.Automation.SearchResolutionOptions System.Management.Automation.CompiledCommandParameter System.Management.Automation.ParameterCollectionType System.Management.Automation.ParameterCollectionTypeInformation System.Management.Automation.ComAdapter System.Management.Automation.IDispatch System.Management.Automation.ComInvoker System.Management.Automation.ComMethodInformation System.Management.Automation.ComMethod System.Management.Automation.ComProperty System.Management.Automation.ComTypeInfo System.Management.Automation.ComUtil System.Management.Automation.ConfigurationInfo System.Management.Automation.ContentCmdletProviderIntrinsics System.Management.Automation.Adapter System.Management.Automation.CacheEntry System.Management.Automation.CacheTable System.Management.Automation.MethodInformation System.Management.Automation.ParameterInformation System.Management.Automation.DotNetAdapter System.Management.Automation.BaseDotNetAdapterForAdaptedObjects System.Management.Automation.DotNetAdapterWithComTypeName System.Management.Automation.MemberRedirectionAdapter System.Management.Automation.PSObjectAdapter System.Management.Automation.PSMemberSetAdapter System.Management.Automation.PropertyOnlyAdapter System.Management.Automation.XmlNodeAdapter System.Management.Automation.DataRowAdapter System.Management.Automation.DataRowViewAdapter System.Management.Automation.TypeInference System.Management.Automation.PSCredentialTypes System.Management.Automation.PSCredentialUIOptions System.Management.Automation.GetSymmetricEncryptionKey System.Management.Automation.PSCredential System.Management.Automation.PSCultureVariable System.Management.Automation.PSUICultureVariable System.Management.Automation.PSDriveInfo System.Management.Automation.ProviderInfo System.Management.Automation.Breakpoint System.Management.Automation.CommandBreakpoint System.Management.Automation.VariableAccessMode System.Management.Automation.VariableBreakpoint System.Management.Automation.LineBreakpoint System.Management.Automation.DebuggerResumeAction System.Management.Automation.DebuggerStopEventArgs System.Management.Automation.BreakpointUpdateType System.Management.Automation.BreakpointUpdatedEventArgs System.Management.Automation.PSJobStartEventArgs System.Management.Automation.StartRunspaceDebugProcessingEventArgs System.Management.Automation.ProcessRunspaceDebugEndEventArgs System.Management.Automation.DebugModes System.Management.Automation.UnhandledBreakpointProcessingMode System.Management.Automation.Debugger System.Management.Automation.ScriptDebugger System.Management.Automation.NestedRunspaceDebugger System.Management.Automation.StandaloneRunspaceDebugger System.Management.Automation.EmbeddedRunspaceDebugger System.Management.Automation.DebuggerCommandResults System.Management.Automation.DebuggerCommandProcessor System.Management.Automation.DebuggerCommand System.Management.Automation.PSDebugContext System.Management.Automation.CallStackFrame System.Management.Automation.DefaultCommandRuntime System.Management.Automation.DriveManagementIntrinsics System.Management.Automation.DriveNames System.Management.Automation.ImplementedAsType System.Management.Automation.DscResourceInfo System.Management.Automation.DscResourcePropertyInfo System.Management.Automation.DscResourceSearcher System.Management.Automation.EngineIntrinsics System.Management.Automation.FlagsExpression`1[T] System.Management.Automation.EnumMinimumDisambiguation System.Management.Automation.ErrorCategory System.Management.Automation.ErrorCategoryInfo System.Management.Automation.ErrorDetails System.Management.Automation.ErrorRecord System.Management.Automation.ErrorRecord`1[TException] System.Management.Automation.IContainsErrorRecord System.Management.Automation.IResourceSupplier System.Management.Automation.PSEventManager System.Management.Automation.PSLocalEventManager System.Management.Automation.PSRemoteEventManager System.Management.Automation.PSEngineEvent System.Management.Automation.PSEventSubscriber System.Management.Automation.PSEventHandler System.Management.Automation.ForwardedEventArgs System.Management.Automation.PSEventArgs`1[T] System.Management.Automation.PSEventArgs System.Management.Automation.PSEventReceivedEventHandler System.Management.Automation.PSEventUnsubscribedEventArgs System.Management.Automation.PSEventUnsubscribedEventHandler System.Management.Automation.PSEventArgsCollection System.Management.Automation.EventAction System.Management.Automation.PSEventJob System.Management.Automation.ExecutionContext System.Management.Automation.EngineState System.Management.Automation.ExperimentalFeature System.Management.Automation.ExperimentAction System.Management.Automation.ExperimentalAttribute System.Management.Automation.ExtendedTypeSystemException System.Management.Automation.MethodException System.Management.Automation.MethodInvocationException System.Management.Automation.GetValueException System.Management.Automation.PropertyNotFoundException System.Management.Automation.GetValueInvocationException System.Management.Automation.SetValueException System.Management.Automation.SetValueInvocationException System.Management.Automation.PSInvalidCastException System.Management.Automation.ExternalScriptInfo System.Management.Automation.ScriptRequiresSyntaxException System.Management.Automation.PSSnapInSpecification System.Management.Automation.DirectoryEntryAdapter System.Management.Automation.FilterInfo System.Management.Automation.FunctionInfo System.Management.Automation.SuggestionMatchType System.Management.Automation.HostUtilities System.Management.Automation.InformationalRecord System.Management.Automation.WarningRecord System.Management.Automation.DebugRecord System.Management.Automation.VerboseRecord System.Management.Automation.PSListModifier System.Management.Automation.PSListModifier`1[T] System.Management.Automation.InvalidPowerShellStateException System.Management.Automation.PSInvocationState System.Management.Automation.RunspaceMode System.Management.Automation.PSInvocationStateInfo System.Management.Automation.PSInvocationStateChangedEventArgs System.Management.Automation.PSInvocationSettings System.Management.Automation.BatchInvocationContext System.Management.Automation.RemoteStreamOptions System.Management.Automation.PowerShellAsyncResult System.Management.Automation.PowerShell System.Management.Automation.PSDataStreams System.Management.Automation.PowerShellStopper System.Management.Automation.PSCommand System.Management.Automation.DataAddedEventArgs System.Management.Automation.DataAddingEventArgs System.Management.Automation.PSDataCollection`1[T] System.Management.Automation.IBlockingEnumerator`1[T] System.Management.Automation.PSDataCollectionEnumerator`1[T] System.Management.Automation.PSInformationalBuffers System.Management.Automation.ICommandRuntime System.Management.Automation.ICommandRuntime2 System.Management.Automation.InformationRecord System.Management.Automation.HostInformationMessage System.Management.Automation.InvocationInfo System.Management.Automation.RemoteCommandInfo System.Management.Automation.ItemCmdletProviderIntrinsics System.Management.Automation.CopyContainers System.Management.Automation.PSTypeConverter System.Management.Automation.ConvertThroughString System.Management.Automation.ConversionRank System.Management.Automation.LanguagePrimitives System.Management.Automation.PSParseError System.Management.Automation.PSParser System.Management.Automation.PSToken System.Management.Automation.PSTokenType System.Management.Automation.FlowControlException System.Management.Automation.LoopFlowException System.Management.Automation.BreakException System.Management.Automation.ContinueException System.Management.Automation.ReturnException System.Management.Automation.ExitException System.Management.Automation.ExitNestedPromptException System.Management.Automation.TerminateException System.Management.Automation.StopUpstreamCommandsException System.Management.Automation.SplitOptions System.Management.Automation.PowerShellBinaryOperator System.Management.Automation.ParserOps System.Management.Automation.RangeEnumerator System.Management.Automation.CharRangeEnumerator System.Management.Automation.InterpreterError System.Management.Automation.ScriptTrace System.Management.Automation.ScriptBlock System.Management.Automation.SteppablePipeline System.Management.Automation.ScriptBlockToPowerShellNotSupportedException System.Management.Automation.ScriptBlockInvocationEventArgs System.Management.Automation.BaseWMIAdapter System.Management.Automation.ManagementClassApdapter System.Management.Automation.ManagementObjectAdapter System.Management.Automation.MergedCommandParameterMetadata System.Management.Automation.MergedCompiledCommandParameter System.Management.Automation.ParameterBinderAssociation System.Management.Automation.MinishellParameterBinderController System.Management.Automation.AnalysisCache System.Management.Automation.AnalysisCacheData System.Management.Automation.ModuleCacheEntry System.Management.Automation.Constants System.Management.Automation.ModuleIntrinsics System.Management.Automation.ModuleMatchFailure System.Management.Automation.IModuleAssemblyInitializer System.Management.Automation.IModuleAssemblyCleanup System.Management.Automation.PSModuleInfo System.Management.Automation.ModuleType System.Management.Automation.ModuleAccessMode System.Management.Automation.PSModuleInfoComparer System.Management.Automation.RemoteDiscoveryHelper System.Management.Automation.ScriptAnalysis System.Management.Automation.ExportVisitor System.Management.Automation.RequiredModuleInfo System.Management.Automation.IDynamicParameters System.Management.Automation.SwitchParameter System.Management.Automation.CommandInvocationIntrinsics System.Management.Automation.MshCommandRuntime System.Management.Automation.PSMemberTypes System.Management.Automation.PSMemberViewTypes System.Management.Automation.MshMemberMatchOptions System.Management.Automation.PSMemberInfo System.Management.Automation.PSPropertyInfo System.Management.Automation.PSAliasProperty System.Management.Automation.PSCodeProperty System.Management.Automation.PSInferredProperty System.Management.Automation.PSProperty System.Management.Automation.PSAdaptedProperty System.Management.Automation.PSNoteProperty System.Management.Automation.PSVariableProperty System.Management.Automation.PSScriptProperty System.Management.Automation.PSMethodInvocationConstraints System.Management.Automation.PSMethodInfo System.Management.Automation.PSCodeMethod System.Management.Automation.PSScriptMethod System.Management.Automation.PSMethod System.Management.Automation.PSNonBindableType System.Management.Automation.VOID System.Management.Automation.PSOutParameter`1[T] System.Management.Automation.PSPointer`1[T] System.Management.Automation.PSTypedReference System.Management.Automation.MethodGroup System.Management.Automation.MethodGroup`1[T1] System.Management.Automation.MethodGroup`2[T1,T2] System.Management.Automation.MethodGroup`4[T1,T2,T3,T4] System.Management.Automation.MethodGroup`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Management.Automation.MethodGroup`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Management.Automation.MethodGroup`32[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32] System.Management.Automation.PSMethodSignatureEnumerator System.Management.Automation.PSMethod`1[T] System.Management.Automation.PSParameterizedProperty System.Management.Automation.PSMemberSet System.Management.Automation.PSInternalMemberSet System.Management.Automation.PSPropertySet System.Management.Automation.PSEvent System.Management.Automation.PSDynamicMember System.Management.Automation.MemberMatch System.Management.Automation.MemberNamePredicate System.Management.Automation.PSMemberInfoCollection`1[T] System.Management.Automation.ReadOnlyPSMemberInfoCollection`1[T] System.Management.Automation.PSMemberInfoInternalCollection`1[T] System.Management.Automation.CollectionEntry`1[T] System.Management.Automation.ReservedNameMembers System.Management.Automation.PSMemberInfoIntegratingCollection`1[T] System.Management.Automation.PSObject System.Management.Automation.WriteStreamType System.Management.Automation.PSCustomObject System.Management.Automation.SerializationMethod System.Management.Automation.SettingValueExceptionEventArgs System.Management.Automation.GettingValueExceptionEventArgs System.Management.Automation.PSObjectPropertyDescriptor System.Management.Automation.PSObjectTypeDescriptor System.Management.Automation.PSObjectTypeDescriptionProvider System.Management.Automation.PSReference System.Management.Automation.PSReference`1[T] System.Management.Automation.PSSecurityException System.Management.Automation.PSSnapinQualifiedName System.Management.Automation.NativeCommand System.Management.Automation.NativeCommandParameterBinder System.Management.Automation.NativeCommandParameterBinderController System.Management.Automation.NativeCommandIOFormat System.Management.Automation.MinishellStream System.Management.Automation.StringToMinishellStreamConverter System.Management.Automation.ProcessOutputObject System.Management.Automation.NativeCommandExitException System.Management.Automation.NativeCommandProcessor System.Management.Automation.ProcessOutputHandler System.Management.Automation.ProcessInputWriter System.Management.Automation.ConsoleVisibility System.Management.Automation.RemoteException System.Management.Automation.OrderedHashtable System.Management.Automation.ParameterBindingFlags System.Management.Automation.ParameterBinderBase System.Management.Automation.UnboundParameter System.Management.Automation.PSBoundParametersDictionary System.Management.Automation.CommandLineParameters System.Management.Automation.ParameterBinderController System.Management.Automation.CommandParameterInfo System.Management.Automation.CommandParameterSetInfo System.Management.Automation.ParameterSetPromptingData System.Management.Automation.ParameterSetSpecificMetadata System.Management.Automation.TypeInferenceRuntimePermissions System.Management.Automation.AstTypeInference System.Management.Automation.PSTypeNameComparer System.Management.Automation.TypeInferenceContext System.Management.Automation.TypeInferenceVisitor System.Management.Automation.TypeInferenceExtension System.Management.Automation.CoreTypes System.Management.Automation.TypeAccelerators System.Management.Automation.PathIntrinsics System.Management.Automation.PositionalCommandParameter System.Management.Automation.PowerShellStreamType System.Management.Automation.ProgressRecord System.Management.Automation.ProgressRecordType System.Management.Automation.PropertyCmdletProviderIntrinsics System.Management.Automation.CmdletProviderManagementIntrinsics System.Management.Automation.ProviderNames System.Management.Automation.SingleShellProviderNames System.Management.Automation.ProxyCommand System.Management.Automation.PSClassInfo System.Management.Automation.PSClassMemberInfo System.Management.Automation.PSClassSearcher System.Management.Automation.RuntimeDefinedParameterBinder System.Management.Automation.RuntimeDefinedParameter System.Management.Automation.RuntimeDefinedParameterDictionary System.Management.Automation.PSVersionInfo System.Management.Automation.PSVersionHashTable System.Management.Automation.SemanticVersion System.Management.Automation.QuestionMarkVariable System.Management.Automation.ReflectionParameterBinder System.Management.Automation.WildcardOptions System.Management.Automation.WildcardPattern System.Management.Automation.WildcardPatternException System.Management.Automation.WildcardPatternParser System.Management.Automation.WildcardPatternToRegexParser System.Management.Automation.WildcardPatternMatcher System.Management.Automation.WildcardPatternToDosWildcardParser System.Management.Automation.JobState System.Management.Automation.InvalidJobStateException System.Management.Automation.JobStateInfo System.Management.Automation.JobStateEventArgs System.Management.Automation.JobIdentifier System.Management.Automation.IJobDebugger System.Management.Automation.Job System.Management.Automation.PSRemotingJob System.Management.Automation.DisconnectedJobOperation System.Management.Automation.PSRemotingChildJob System.Management.Automation.RemotingJobDebugger System.Management.Automation.PSInvokeExpressionSyncJob System.Management.Automation.OutputProcessingStateEventArgs System.Management.Automation.IOutputProcessingState System.Management.Automation.Job2 System.Management.Automation.JobThreadOptions System.Management.Automation.ContainerParentJob System.Management.Automation.JobFailedException System.Management.Automation.JobManager System.Management.Automation.JobDefinition System.Management.Automation.JobInvocationInfo System.Management.Automation.JobSourceAdapter System.Management.Automation.PowerShellStreams`2[TInput,TOutput] System.Management.Automation.RemotePipeline System.Management.Automation.RemoteRunspace System.Management.Automation.RemoteDebugger System.Management.Automation.RemoteSessionStateProxy System.Management.Automation.StartableJob System.Management.Automation.ThrottlingJob System.Management.Automation.ThrottlingJobChildAddedEventArgs System.Management.Automation.Repository`1[T] System.Management.Automation.JobRepository System.Management.Automation.RunspaceRepository System.Management.Automation.RemoteSessionNegotiationEventArgs System.Management.Automation.RemoteDataEventArgs System.Management.Automation.RemoteDataEventArgs`1[T] System.Management.Automation.RemoteSessionState System.Management.Automation.RemoteSessionEvent System.Management.Automation.RemoteSessionStateInfo System.Management.Automation.RemoteSessionStateEventArgs System.Management.Automation.RemoteSessionStateMachineEventArgs System.Management.Automation.RemotingCapability System.Management.Automation.RemotingBehavior System.Management.Automation.PSSessionTypeOption System.Management.Automation.PSTransportOption System.Management.Automation.RemoteSession System.Management.Automation.RunspacePoolStateInfo System.Management.Automation.RemotingConstants System.Management.Automation.RemoteDataNameStrings System.Management.Automation.RemotingDestination System.Management.Automation.RemotingTargetInterface System.Management.Automation.RemotingDataType System.Management.Automation.RemotingEncoder System.Management.Automation.RemotingDecoder System.Management.Automation.ServerPowerShellDriver System.Management.Automation.ServerRunspacePoolDataStructureHandler System.Management.Automation.ServerPowerShellDataStructureHandler System.Management.Automation.IRSPDriverInvoke System.Management.Automation.ServerRunspacePoolDriver System.Management.Automation.ServerRemoteDebugger System.Management.Automation.ExecutionContextForStepping System.Management.Automation.ServerSteppablePipelineDriver System.Management.Automation.ServerSteppablePipelineDriverEventArg System.Management.Automation.ServerSteppablePipelineSubscriber System.Management.Automation.CompileInterpretChoice System.Management.Automation.ScriptBlockClauseToInvoke System.Management.Automation.CompiledScriptBlockData System.Management.Automation.PSScriptCmdlet System.Management.Automation.MutableTuple System.Management.Automation.MutableTuple`1[T0] System.Management.Automation.MutableTuple`2[T0,T1] System.Management.Automation.MutableTuple`4[T0,T1,T2,T3] System.Management.Automation.MutableTuple`8[T0,T1,T2,T3,T4,T5,T6,T7] System.Management.Automation.MutableTuple`16[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Management.Automation.MutableTuple`32[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31] System.Management.Automation.MutableTuple`64[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32,T33,T34,T35,T36,T37,T38,T39,T40,T41,T42,T43,T44,T45,T46,T47,T48,T49,T50,T51,T52,T53,T54,T55,T56,T57,T58,T59,T60,T61,T62,T63] System.Management.Automation.MutableTuple`128[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32,T33,T34,T35,T36,T37,T38,T39,T40,T41,T42,T43,T44,T45,T46,T47,T48,T49,T50,T51,T52,T53,T54,T55,T56,T57,T58,T59,T60,T61,T62,T63,T64,T65,T66,T67,T68,T69,T70,T71,T72,T73,T74,T75,T76,T77,T78,T79,T80,T81,T82,T83,T84,T85,T86,T87,T88,T89,T90,T91,T92,T93,T94,T95,T96,T97,T98,T99,T100,T101,T102,T103,T104,T105,T106,T107,T108,T109,T110,T111,T112,T113,T114,T115,T116,T117,T118,T119,T120,T121,T122,T123,T124,T125,T126,T127] System.Management.Automation.ArrayOps System.Management.Automation.PipelineOps System.Management.Automation.CommandRedirection System.Management.Automation.MergingRedirection System.Management.Automation.FileRedirection System.Management.Automation.FunctionOps System.Management.Automation.ScriptBlockExpressionWrapper System.Management.Automation.ByRefOps System.Management.Automation.HashtableOps System.Management.Automation.ExceptionHandlingOps System.Management.Automation.TypeOps System.Management.Automation.SwitchOps System.Management.Automation.WhereOperatorSelectionMode System.Management.Automation.EnumerableOps System.Management.Automation.MemberInvocationLoggingOps System.Management.Automation.Boxed System.Management.Automation.IntOps System.Management.Automation.UIntOps System.Management.Automation.LongOps System.Management.Automation.ULongOps System.Management.Automation.DecimalOps System.Management.Automation.DoubleOps System.Management.Automation.CharOps System.Management.Automation.StringOps System.Management.Automation.VariableOps System.Management.Automation.ScriptBlockToPowerShellChecker System.Management.Automation.UsingExpressionAstSearcher System.Management.Automation.ScriptBlockToPowerShellConverter System.Management.Automation.ScopedItemSearcher`1[T] System.Management.Automation.VariableScopeItemSearcher System.Management.Automation.AliasScopeItemSearcher System.Management.Automation.FunctionScopeItemSearcher System.Management.Automation.DriveScopeItemSearcher System.Management.Automation.ScriptCommand System.Management.Automation.ScriptCommandProcessorBase System.Management.Automation.DlrScriptCommandProcessor System.Management.Automation.ScriptInfo System.Management.Automation.ScriptParameterBinder System.Management.Automation.ScriptParameterBinderController System.Management.Automation.SecurityDescriptorCmdletProviderIntrinsics System.Management.Automation.CommandOrigin System.Management.Automation.AuthorizationManager System.Management.Automation.SerializationOptions System.Management.Automation.SerializationContext System.Management.Automation.PSSerializer System.Management.Automation.Serializer System.Management.Automation.DeserializationOptions System.Management.Automation.DeserializationContext System.Management.Automation.CimClassDeserializationCache`1[TKey] System.Management.Automation.CimClassSerializationCache`1[TKey] System.Management.Automation.CimClassSerializationId System.Management.Automation.Deserializer System.Management.Automation.ContainerType System.Management.Automation.InternalSerializer System.Management.Automation.InternalDeserializer System.Management.Automation.ReferenceIdHandlerForSerializer`1[T] System.Management.Automation.ReferenceIdHandlerForDeserializer`1[T] System.Management.Automation.TypeSerializerDelegate System.Management.Automation.TypeDeserializerDelegate System.Management.Automation.TypeSerializationInfo System.Management.Automation.KnownTypes System.Management.Automation.SerializationUtilities System.Management.Automation.WeakReferenceDictionary`1[T] System.Management.Automation.PSPrimitiveDictionary System.Management.Automation.SerializationStrings System.Management.Automation.SessionStateInternal System.Management.Automation.ProcessMode System.Management.Automation.LocationChangedEventArgs System.Management.Automation.SessionState System.Management.Automation.SessionStateEntryVisibility System.Management.Automation.IHasSessionStateEntryVisibility System.Management.Automation.PSLanguageMode System.Management.Automation.SessionStateScope System.Management.Automation.SessionStateScopeEnumerator System.Management.Automation.StringLiterals System.Management.Automation.SessionStateConstants System.Management.Automation.SessionStateUtilities System.Management.Automation.PSVariable System.Management.Automation.LocalVariable System.Management.Automation.NullVariable System.Management.Automation.ScopedItemOptions System.Management.Automation.SpecialVariables System.Management.Automation.AutomaticVariable System.Management.Automation.PreferenceVariable System.Management.Automation.ThirdPartyAdapter System.Management.Automation.PSPropertyAdapter System.Management.Automation.ParameterSetMetadata System.Management.Automation.ParameterMetadata System.Management.Automation.InternalParameterMetadata System.Management.Automation.PagingParameters System.Management.Automation.Utils System.Management.Automation.PSVariableAttributeCollection System.Management.Automation.PSVariableIntrinsics System.Management.Automation.VariablePathFlags System.Management.Automation.VariablePath System.Management.Automation.FunctionLookupPath System.Management.Automation.IInspectable System.Management.Automation.WinRTHelper System.Management.Automation.ExtendedTypeDefinition System.Management.Automation.FormatViewDefinition System.Management.Automation.PSControl System.Management.Automation.PSControlGroupBy System.Management.Automation.DisplayEntry System.Management.Automation.EntrySelectedBy System.Management.Automation.Alignment System.Management.Automation.DisplayEntryValueType System.Management.Automation.CustomControl System.Management.Automation.CustomControlEntry System.Management.Automation.CustomItemBase System.Management.Automation.CustomItemExpression System.Management.Automation.CustomItemFrame System.Management.Automation.CustomItemNewline System.Management.Automation.CustomItemText System.Management.Automation.CustomEntryBuilder System.Management.Automation.CustomControlBuilder System.Management.Automation.ListControl System.Management.Automation.ListControlEntry System.Management.Automation.ListControlEntryItem System.Management.Automation.ListEntryBuilder System.Management.Automation.ListControlBuilder System.Management.Automation.TableControl System.Management.Automation.TableControlColumnHeader System.Management.Automation.TableControlColumn System.Management.Automation.TableControlRow System.Management.Automation.TableRowDefinitionBuilder System.Management.Automation.TableControlBuilder System.Management.Automation.WideControl System.Management.Automation.WideControlEntryItem System.Management.Automation.WideControlBuilder System.Management.Automation.OutputRendering System.Management.Automation.ProgressView System.Management.Automation.PSStyle System.Management.Automation.AliasHelpInfo System.Management.Automation.AliasHelpProvider System.Management.Automation.BaseCommandHelpInfo System.Management.Automation.CommandHelpProvider System.Management.Automation.UserDefinedHelpData System.Management.Automation.DefaultHelpProvider System.Management.Automation.DscResourceHelpProvider System.Management.Automation.HelpCommentsParser System.Management.Automation.HelpErrorTracer System.Management.Automation.HelpFileHelpInfo System.Management.Automation.HelpFileHelpProvider System.Management.Automation.HelpInfo System.Management.Automation.HelpProvider System.Management.Automation.HelpProviderWithCache System.Management.Automation.HelpProviderWithFullCache System.Management.Automation.HelpRequest System.Management.Automation.HelpSystem System.Management.Automation.HelpProgressEventArgs System.Management.Automation.HelpProviderInfo System.Management.Automation.HelpCategory System.Management.Automation.HelpUtils System.Management.Automation.MamlClassHelpInfo System.Management.Automation.MamlCommandHelpInfo System.Management.Automation.MamlNode System.Management.Automation.MamlUtil System.Management.Automation.MUIFileSearcher System.Management.Automation.SearchMode System.Management.Automation.ProviderCommandHelpInfo System.Management.Automation.ProviderContext System.Management.Automation.ProviderHelpInfo System.Management.Automation.ProviderHelpProvider System.Management.Automation.PSClassHelpProvider System.Management.Automation.RemoteHelpInfo System.Management.Automation.ScriptCommandHelpProvider System.Management.Automation.SyntaxHelpInfo System.Management.Automation.LogContext System.Management.Automation.LogProvider System.Management.Automation.DummyLogProvider System.Management.Automation.MshLog System.Management.Automation.LogContextCache System.Management.Automation.Severity System.Management.Automation.CommandState System.Management.Automation.ProviderState System.Management.Automation.CmdletProviderContext System.Management.Automation.LocationGlobber System.Management.Automation.PathInfo System.Management.Automation.PathInfoStack System.Management.Automation.SigningOption System.Management.Automation.SignatureHelper System.Management.Automation.CatalogValidationStatus System.Management.Automation.CatalogInformation System.Management.Automation.CatalogHelper System.Management.Automation.CredentialAttribute System.Management.Automation.Win32Errors System.Management.Automation.SignatureStatus System.Management.Automation.SignatureType System.Management.Automation.Signature System.Management.Automation.CmsUtils System.Management.Automation.CmsMessageRecipient System.Management.Automation.ResolutionPurpose System.Management.Automation.AmsiUtils System.Management.Automation.RegistryStrings System.Management.Automation.PSSnapInInfo System.Management.Automation.PSSnapInReader System.Management.Automation.AssertException System.Management.Automation.Diagnostics System.Management.Automation.ClrFacade System.Management.Automation.CommandNotFoundException System.Management.Automation.ScriptRequiresException System.Management.Automation.ApplicationFailedException System.Management.Automation.ProviderCmdlet System.Management.Automation.EncodingConversion System.Management.Automation.ArgumentToEncodingTransformationAttribute System.Management.Automation.ArgumentEncodingCompletionsAttribute System.Management.Automation.CmdletInvocationException System.Management.Automation.CmdletProviderInvocationException System.Management.Automation.PipelineStoppedException System.Management.Automation.PipelineClosedException System.Management.Automation.ActionPreferenceStopException System.Management.Automation.ParentContainsErrorRecordException System.Management.Automation.RedirectedException System.Management.Automation.ScriptCallDepthException System.Management.Automation.PipelineDepthException System.Management.Automation.HaltCommandException System.Management.Automation.ExtensionMethods System.Management.Automation.EnumerableExtensions System.Management.Automation.PSTypeExtensions System.Management.Automation.WeakReferenceExtensions System.Management.Automation.FuzzyMatcher System.Management.Automation.MetadataException System.Management.Automation.ValidationMetadataException System.Management.Automation.ArgumentTransformationMetadataException System.Management.Automation.ParsingMetadataException System.Management.Automation.PSArgumentException System.Management.Automation.PSArgumentNullException System.Management.Automation.PSArgumentOutOfRangeException System.Management.Automation.PSInvalidOperationException System.Management.Automation.PSNotImplementedException System.Management.Automation.PSNotSupportedException System.Management.Automation.PSObjectDisposedException System.Management.Automation.PSTraceSource System.Management.Automation.ParameterBindingException System.Management.Automation.ParameterBindingValidationException System.Management.Automation.ParameterBindingArgumentTransformationException System.Management.Automation.ParameterBindingParameterDefaultValueException System.Management.Automation.ParseException System.Management.Automation.IncompleteParseException System.Management.Automation.PathUtils System.Management.Automation.PinvokeDllNames System.Management.Automation.PlatformInvokes System.Management.Automation.PowerShellExecutionHelper System.Management.Automation.PowerShellExtensionHelpers System.Management.Automation.PsUtils System.Management.Automation.StringToBase64Converter System.Management.Automation.CRC32Hash System.Management.Automation.ReferenceEqualityComparer System.Management.Automation.ResourceManagerCache System.Management.Automation.RuntimeException System.Management.Automation.ProviderInvocationException System.Management.Automation.SessionStateCategory System.Management.Automation.SessionStateException System.Management.Automation.SessionStateUnauthorizedAccessException System.Management.Automation.ProviderNotFoundException System.Management.Automation.ProviderNameAmbiguousException System.Management.Automation.DriveNotFoundException System.Management.Automation.ItemNotFoundException System.Management.Automation.PSTraceSourceOptions System.Management.Automation.ScopeTracer System.Management.Automation.TraceSourceAttribute System.Management.Automation.MonadTraceSource System.Management.Automation.VerbsCommon System.Management.Automation.VerbsData System.Management.Automation.VerbsLifecycle System.Management.Automation.VerbsDiagnostic System.Management.Automation.VerbsCommunications System.Management.Automation.VerbsSecurity System.Management.Automation.VerbsOther System.Management.Automation.VerbDescriptions System.Management.Automation.VerbAliasPrefixes System.Management.Automation.VerbInfo System.Management.Automation.Verbs System.Management.Automation.VTUtility System.Management.Automation.Tracing.PowerShellTraceEvent System.Management.Automation.Tracing.PowerShellTraceChannel System.Management.Automation.Tracing.PowerShellTraceLevel System.Management.Automation.Tracing.PowerShellTraceOperationCode System.Management.Automation.Tracing.PowerShellTraceTask System.Management.Automation.Tracing.PowerShellTraceKeywords System.Management.Automation.Tracing.BaseChannelWriter System.Management.Automation.Tracing.NullWriter System.Management.Automation.Tracing.PowerShellChannelWriter System.Management.Automation.Tracing.PowerShellTraceSource System.Management.Automation.Tracing.PowerShellTraceSourceFactory System.Management.Automation.Tracing.EtwEvent System.Management.Automation.Tracing.CallbackNoParameter System.Management.Automation.Tracing.CallbackWithState System.Management.Automation.Tracing.CallbackWithStateAndArgs System.Management.Automation.Tracing.EtwEventArgs System.Management.Automation.Tracing.EtwActivity System.Management.Automation.Tracing.IEtwActivityReverter System.Management.Automation.Tracing.EtwActivityReverter System.Management.Automation.Tracing.EtwActivityReverterMethodInvoker System.Management.Automation.Tracing.IEtwEventCorrelator System.Management.Automation.Tracing.EtwEventCorrelator System.Management.Automation.Tracing.IMethodInvoker System.Management.Automation.Tracing.PSEtwLog System.Management.Automation.Tracing.PSEtwLogProvider System.Management.Automation.Tracing.Tracer System.Management.Automation.Win32Native.SafeCATAdminHandle System.Management.Automation.Win32Native.SafeCATHandle System.Management.Automation.Win32Native.SafeCATCDFHandle System.Management.Automation.Win32Native.WinTrustUIChoice System.Management.Automation.Win32Native.WinTrustUnionChoice System.Management.Automation.Win32Native.WinTrustAction System.Management.Automation.Win32Native.WinTrustProviderFlags System.Management.Automation.Win32Native.WinTrustMethods System.Management.Automation.Security.NativeConstants System.Management.Automation.Security.NativeMethods System.Management.Automation.Security.SAFER_CODE_PROPERTIES System.Management.Automation.Security.LARGE_INTEGER System.Management.Automation.Security.HWND__ System.Management.Automation.Security.Anonymous_9320654f_2227_43bf_a385_74cc8c562686 System.Management.Automation.Security.Anonymous_947eb392_1446_4e25_bbd4_10e98165f3a9 System.Management.Automation.Security.SystemScriptFileEnforcement System.Management.Automation.Security.SystemEnforcementMode System.Management.Automation.Security.SystemPolicy System.Management.Automation.Provider.ContainerCmdletProvider System.Management.Automation.Provider.DriveCmdletProvider System.Management.Automation.Provider.IContentCmdletProvider System.Management.Automation.Provider.IContentReader System.Management.Automation.Provider.IContentWriter System.Management.Automation.Provider.IDynamicPropertyCmdletProvider System.Management.Automation.Provider.ISecurityDescriptorCmdletProvider System.Management.Automation.Provider.IPropertyCmdletProvider System.Management.Automation.Provider.ItemCmdletProvider System.Management.Automation.Provider.NavigationCmdletProvider System.Management.Automation.Provider.ICmdletProviderSupportsHelp System.Management.Automation.Provider.CmdletProvider System.Management.Automation.Provider.CmdletProviderAttribute System.Management.Automation.Provider.ProviderCapabilities System.Management.Automation.Help.PositionalParameterComparer System.Management.Automation.Help.DefaultCommandHelpObjectBuilder System.Management.Automation.Help.CultureSpecificUpdatableHelp System.Management.Automation.Help.UpdatableHelpInfo System.Management.Automation.Help.UpdatableHelpModuleInfo System.Management.Automation.Help.UpdatableHelpSystemException System.Management.Automation.Help.UpdatableHelpExceptionContext System.Management.Automation.Help.UpdatableHelpCommandType System.Management.Automation.Help.UpdatableHelpProgressEventArgs System.Management.Automation.Help.UpdatableHelpSystem System.Management.Automation.Help.UpdatableHelpSystemDrive System.Management.Automation.Help.UpdatableHelpUri System.Management.Automation.Subsystem.GetPSSubsystemCommand System.Management.Automation.Subsystem.SubsystemKind System.Management.Automation.Subsystem.ISubsystem System.Management.Automation.Subsystem.SubsystemInfo System.Management.Automation.Subsystem.SubsystemInfoImpl`1[TConcreteSubsystem] System.Management.Automation.Subsystem.SubsystemManager System.Management.Automation.Subsystem.Prediction.PredictionResult System.Management.Automation.Subsystem.Prediction.CommandPrediction System.Management.Automation.Subsystem.Prediction.ICommandPredictor System.Management.Automation.Subsystem.Prediction.PredictorFeedbackKind System.Management.Automation.Subsystem.Prediction.PredictionClientKind System.Management.Automation.Subsystem.Prediction.PredictionClient System.Management.Automation.Subsystem.Prediction.PredictionContext System.Management.Automation.Subsystem.Prediction.PredictiveSuggestion System.Management.Automation.Subsystem.Prediction.SuggestionPackage System.Management.Automation.Subsystem.Feedback.FeedbackResult System.Management.Automation.Subsystem.Feedback.FeedbackHub System.Management.Automation.Subsystem.Feedback.FeedbackTrigger System.Management.Automation.Subsystem.Feedback.FeedbackDisplayLayout System.Management.Automation.Subsystem.Feedback.FeedbackContext System.Management.Automation.Subsystem.Feedback.FeedbackItem System.Management.Automation.Subsystem.Feedback.IFeedbackProvider System.Management.Automation.Subsystem.Feedback.GeneralCommandErrorFeedback System.Management.Automation.Subsystem.DSC.ICrossPlatformDsc System.Management.Automation.Remoting.ClientMethodExecutor System.Management.Automation.Remoting.ClientRemoteSessionContext System.Management.Automation.Remoting.ClientRemoteSession System.Management.Automation.Remoting.ClientRemoteSessionImpl System.Management.Automation.Remoting.ClientRemoteSessionDSHandlerStateMachine System.Management.Automation.Remoting.OriginInfo System.Management.Automation.Remoting.BaseSessionDataStructureHandler System.Management.Automation.Remoting.ClientRemoteSessionDataStructureHandler System.Management.Automation.Remoting.ClientRemoteSessionDSHandlerImpl System.Management.Automation.Remoting.RunspaceRef System.Management.Automation.Remoting.ProxyAccessType System.Management.Automation.Remoting.PSSessionOption System.Management.Automation.Remoting.AsyncObject`1[T] System.Management.Automation.Remoting.ServerDispatchTable System.Management.Automation.Remoting.DispatchTable`1[T] System.Management.Automation.Remoting.FragmentedRemoteObject System.Management.Automation.Remoting.SerializedDataStream System.Management.Automation.Remoting.Fragmentor System.Management.Automation.Remoting.Indexer System.Management.Automation.Remoting.ObjectRef`1[T] System.Management.Automation.Remoting.CmdletMethodInvoker`1[T] System.Management.Automation.Remoting.HyperVSocketEndPoint System.Management.Automation.Remoting.RemoteSessionHyperVSocketServer System.Management.Automation.Remoting.RemoteSessionHyperVSocketClient System.Management.Automation.Remoting.NamedPipeUtils System.Management.Automation.Remoting.NamedPipeNative System.Management.Automation.Remoting.ListenerEndedEventArgs System.Management.Automation.Remoting.RemoteSessionNamedPipeServer System.Management.Automation.Remoting.NamedPipeClientBase System.Management.Automation.Remoting.RemoteSessionNamedPipeClient System.Management.Automation.Remoting.ContainerSessionNamedPipeClient System.Management.Automation.Remoting.PSRemotingErrorId System.Management.Automation.Remoting.PSRemotingErrorInvariants System.Management.Automation.Remoting.PSRemotingDataStructureException System.Management.Automation.Remoting.PSRemotingTransportException System.Management.Automation.Remoting.PSRemotingTransportRedirectException System.Management.Automation.Remoting.PSDirectException System.Management.Automation.Remoting.RunspacePoolInitInfo System.Management.Automation.Remoting.OperationState System.Management.Automation.Remoting.OperationStateEventArgs System.Management.Automation.Remoting.IThrottleOperation System.Management.Automation.Remoting.ThrottleManager System.Management.Automation.Remoting.RemoteDebuggingCapability System.Management.Automation.Remoting.RemoteDebuggingCommands System.Management.Automation.Remoting.RemoteHostCall System.Management.Automation.Remoting.RemoteHostResponse System.Management.Automation.Remoting.RemoteHostExceptions System.Management.Automation.Remoting.RemoteHostEncoder System.Management.Automation.Remoting.RemoteSessionCapability System.Management.Automation.Remoting.HostDefaultDataId System.Management.Automation.Remoting.HostDefaultData System.Management.Automation.Remoting.HostInfo System.Management.Automation.Remoting.RemoteDataObject`1[T] System.Management.Automation.Remoting.RemoteDataObject System.Management.Automation.Remoting.TransportMethodEnum System.Management.Automation.Remoting.TransportErrorOccuredEventArgs System.Management.Automation.Remoting.ConnectionStatus System.Management.Automation.Remoting.ConnectionStatusEventArgs System.Management.Automation.Remoting.CreateCompleteEventArgs System.Management.Automation.Remoting.BaseTransportManager System.Management.Automation.Remoting.ConfigurationDataFromXML System.Management.Automation.Remoting.PSSessionConfiguration System.Management.Automation.Remoting.DefaultRemotePowerShellConfiguration System.Management.Automation.Remoting.SessionType System.Management.Automation.Remoting.ConfigTypeEntry System.Management.Automation.Remoting.ConfigFileConstants System.Management.Automation.Remoting.DISCUtils System.Management.Automation.Remoting.DISCPowerShellConfiguration System.Management.Automation.Remoting.DISCFileValidation System.Management.Automation.Remoting.OutOfProcessUtils System.Management.Automation.Remoting.OutOfProcessTextWriter System.Management.Automation.Remoting.DataPriorityType System.Management.Automation.Remoting.PrioritySendDataCollection System.Management.Automation.Remoting.ReceiveDataCollection System.Management.Automation.Remoting.PriorityReceiveDataCollection System.Management.Automation.Remoting.PSSenderInfo System.Management.Automation.Remoting.PSPrincipal System.Management.Automation.Remoting.PSIdentity System.Management.Automation.Remoting.PSCertificateDetails System.Management.Automation.Remoting.PSSessionConfigurationData System.Management.Automation.Remoting.WSManPluginConstants System.Management.Automation.Remoting.WSManPluginErrorCodes System.Management.Automation.Remoting.WSManPluginOperationShutdownContext System.Management.Automation.Remoting.WSManPluginInstance System.Management.Automation.Remoting.WSManPluginShellDelegate System.Management.Automation.Remoting.WSManPluginReleaseShellContextDelegate System.Management.Automation.Remoting.WSManPluginConnectDelegate System.Management.Automation.Remoting.WSManPluginCommandDelegate System.Management.Automation.Remoting.WSManPluginOperationShutdownDelegate System.Management.Automation.Remoting.WSManPluginReleaseCommandContextDelegate System.Management.Automation.Remoting.WSManPluginSendDelegate System.Management.Automation.Remoting.WSManPluginReceiveDelegate System.Management.Automation.Remoting.WSManPluginSignalDelegate System.Management.Automation.Remoting.WaitOrTimerCallbackDelegate System.Management.Automation.Remoting.WSManShutdownPluginDelegate System.Management.Automation.Remoting.WSManPluginEntryDelegates System.Management.Automation.Remoting.WSManPluginManagedEntryWrapper System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper System.Management.Automation.Remoting.WSManPluginServerSession System.Management.Automation.Remoting.WSManPluginShellSession System.Management.Automation.Remoting.WSManPluginCommandSession System.Management.Automation.Remoting.WSManPluginServerTransportManager System.Management.Automation.Remoting.WSManPluginCommandTransportManager System.Management.Automation.Remoting.RemoteHostMethodId System.Management.Automation.Remoting.RemoteHostMethodInfo System.Management.Automation.Remoting.ServerMethodExecutor System.Management.Automation.Remoting.ServerRemoteHost System.Management.Automation.Remoting.ServerDriverRemoteHost System.Management.Automation.Remoting.ServerRemoteHostRawUserInterface System.Management.Automation.Remoting.ServerRemoteHostUserInterface System.Management.Automation.Remoting.ServerRemoteSessionContext System.Management.Automation.Remoting.ServerRemoteSession System.Management.Automation.Remoting.ServerRemoteSessionDSHandlerStateMachine System.Management.Automation.Remoting.ServerRemoteSessionDataStructureHandler System.Management.Automation.Remoting.ServerRemoteSessionDSHandlerImpl System.Management.Automation.Remoting.WSMan.WSManServerChannelEvents System.Management.Automation.Remoting.WSMan.ActiveSessionsChangedEventArgs System.Management.Automation.Remoting.Server.AbstractServerTransportManager System.Management.Automation.Remoting.Server.AbstractServerSessionTransportManager System.Management.Automation.Remoting.Server.ServerOperationHelpers System.Management.Automation.Remoting.Server.OutOfProcessServerSessionTransportManager System.Management.Automation.Remoting.Server.OutOfProcessServerTransportManager System.Management.Automation.Remoting.Server.OutOfProcessMediatorBase System.Management.Automation.Remoting.Server.StdIOProcessMediator System.Management.Automation.Remoting.Server.NamedPipeProcessMediator System.Management.Automation.Remoting.Server.FormattedErrorTextWriter System.Management.Automation.Remoting.Server.HyperVSocketMediator System.Management.Automation.Remoting.Server.HyperVSocketErrorTextWriter System.Management.Automation.Remoting.Client.BaseClientTransportManager System.Management.Automation.Remoting.Client.BaseClientSessionTransportManager System.Management.Automation.Remoting.Client.BaseClientCommandTransportManager System.Management.Automation.Remoting.Client.ClientSessionTransportManagerBase System.Management.Automation.Remoting.Client.OutOfProcessClientSessionTransportManager System.Management.Automation.Remoting.Client.HyperVSocketClientSessionTransportManagerBase System.Management.Automation.Remoting.Client.VMHyperVSocketClientSessionTransportManager System.Management.Automation.Remoting.Client.ContainerHyperVSocketClientSessionTransportManager System.Management.Automation.Remoting.Client.SSHClientSessionTransportManager System.Management.Automation.Remoting.Client.NamedPipeClientSessionTransportManagerBase System.Management.Automation.Remoting.Client.NamedPipeClientSessionTransportManager System.Management.Automation.Remoting.Client.ContainerNamedPipeClientSessionTransportManager System.Management.Automation.Remoting.Client.OutOfProcessClientCommandTransportManager System.Management.Automation.Remoting.Client.WSManNativeApi System.Management.Automation.Remoting.Client.IWSManNativeApiFacade System.Management.Automation.Remoting.Client.WSManNativeApiFacade System.Management.Automation.Remoting.Client.WSManTransportManagerUtils System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager System.Management.Automation.Remoting.Client.WSManClientCommandTransportManager System.Management.Automation.Remoting.Internal.PSStreamObjectType System.Management.Automation.Remoting.Internal.PSStreamObject System.Management.Automation.Configuration.ConfigScope System.Management.Automation.Configuration.PowerShellConfig System.Management.Automation.Configuration.PowerShellPolicies System.Management.Automation.Configuration.PolicyBase System.Management.Automation.Configuration.ScriptExecution System.Management.Automation.Configuration.ScriptBlockLogging System.Management.Automation.Configuration.ModuleLogging System.Management.Automation.Configuration.Transcription System.Management.Automation.Configuration.UpdatableHelp System.Management.Automation.Configuration.ConsoleSessionConfiguration System.Management.Automation.Configuration.ProtectedEventLogging System.Management.Automation.Interpreter.AddInstruction System.Management.Automation.Interpreter.AddOvfInstruction System.Management.Automation.Interpreter.NewArrayInitInstruction`1[TElement] System.Management.Automation.Interpreter.NewArrayInstruction`1[TElement] System.Management.Automation.Interpreter.NewArrayBoundsInstruction System.Management.Automation.Interpreter.GetArrayItemInstruction`1[TElement] System.Management.Automation.Interpreter.SetArrayItemInstruction`1[TElement] System.Management.Automation.Interpreter.RuntimeLabel System.Management.Automation.Interpreter.BranchLabel System.Management.Automation.Interpreter.CallInstruction System.Management.Automation.Interpreter.MethodInfoCallInstruction System.Management.Automation.Interpreter.ActionCallInstruction System.Management.Automation.Interpreter.ActionCallInstruction`1[T0] System.Management.Automation.Interpreter.ActionCallInstruction`2[T0,T1] System.Management.Automation.Interpreter.ActionCallInstruction`3[T0,T1,T2] System.Management.Automation.Interpreter.ActionCallInstruction`4[T0,T1,T2,T3] System.Management.Automation.Interpreter.ActionCallInstruction`5[T0,T1,T2,T3,T4] System.Management.Automation.Interpreter.ActionCallInstruction`6[T0,T1,T2,T3,T4,T5] System.Management.Automation.Interpreter.ActionCallInstruction`7[T0,T1,T2,T3,T4,T5,T6] System.Management.Automation.Interpreter.ActionCallInstruction`8[T0,T1,T2,T3,T4,T5,T6,T7] System.Management.Automation.Interpreter.ActionCallInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,T8] System.Management.Automation.Interpreter.FuncCallInstruction`1[TRet] System.Management.Automation.Interpreter.FuncCallInstruction`2[T0,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`3[T0,T1,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`4[T0,T1,T2,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`5[T0,T1,T2,T3,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`6[T0,T1,T2,T3,T4,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`7[T0,T1,T2,T3,T4,T5,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`8[T0,T1,T2,T3,T4,T5,T6,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`10[T0,T1,T2,T3,T4,T5,T6,T7,T8,TRet] System.Management.Automation.Interpreter.OffsetInstruction System.Management.Automation.Interpreter.BranchFalseInstruction System.Management.Automation.Interpreter.BranchTrueInstruction System.Management.Automation.Interpreter.CoalescingBranchInstruction System.Management.Automation.Interpreter.BranchInstruction System.Management.Automation.Interpreter.IndexedBranchInstruction System.Management.Automation.Interpreter.GotoInstruction System.Management.Automation.Interpreter.EnterTryCatchFinallyInstruction System.Management.Automation.Interpreter.EnterFinallyInstruction System.Management.Automation.Interpreter.LeaveFinallyInstruction System.Management.Automation.Interpreter.EnterExceptionHandlerInstruction System.Management.Automation.Interpreter.LeaveExceptionHandlerInstruction System.Management.Automation.Interpreter.LeaveFaultInstruction System.Management.Automation.Interpreter.ThrowInstruction System.Management.Automation.Interpreter.SwitchInstruction System.Management.Automation.Interpreter.EnterLoopInstruction System.Management.Automation.Interpreter.CompiledLoopInstruction System.Management.Automation.Interpreter.DivInstruction System.Management.Automation.Interpreter.DynamicInstructionN System.Management.Automation.Interpreter.DynamicInstruction`1[TRet] System.Management.Automation.Interpreter.DynamicInstruction`2[T0,TRet] System.Management.Automation.Interpreter.DynamicInstruction`3[T0,T1,TRet] System.Management.Automation.Interpreter.DynamicInstruction`4[T0,T1,T2,TRet] System.Management.Automation.Interpreter.DynamicInstruction`5[T0,T1,T2,T3,TRet] System.Management.Automation.Interpreter.DynamicInstruction`6[T0,T1,T2,T3,T4,TRet] System.Management.Automation.Interpreter.DynamicInstruction`7[T0,T1,T2,T3,T4,T5,TRet] System.Management.Automation.Interpreter.DynamicInstruction`8[T0,T1,T2,T3,T4,T5,T6,TRet] System.Management.Automation.Interpreter.DynamicInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,TRet] System.Management.Automation.Interpreter.DynamicInstruction`10[T0,T1,T2,T3,T4,T5,T6,T7,T8,TRet] System.Management.Automation.Interpreter.DynamicInstruction`11[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,TRet] System.Management.Automation.Interpreter.DynamicInstruction`12[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TRet] System.Management.Automation.Interpreter.DynamicInstruction`13[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TRet] System.Management.Automation.Interpreter.DynamicInstruction`14[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TRet] System.Management.Automation.Interpreter.DynamicInstruction`15[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TRet] System.Management.Automation.Interpreter.DynamicInstruction`16[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TRet] System.Management.Automation.Interpreter.DynamicSplatInstruction System.Management.Automation.Interpreter.EqualInstruction System.Management.Automation.Interpreter.LoadStaticFieldInstruction System.Management.Automation.Interpreter.LoadFieldInstruction System.Management.Automation.Interpreter.StoreFieldInstruction System.Management.Automation.Interpreter.StoreStaticFieldInstruction System.Management.Automation.Interpreter.GreaterThanInstruction System.Management.Automation.Interpreter.ILightCallSiteBinder System.Management.Automation.Interpreter.IInstructionProvider System.Management.Automation.Interpreter.Instruction System.Management.Automation.Interpreter.NotInstruction System.Management.Automation.Interpreter.InstructionFactory System.Management.Automation.Interpreter.InstructionFactory`1[T] System.Management.Automation.Interpreter.InstructionArray System.Management.Automation.Interpreter.InstructionList System.Management.Automation.Interpreter.InterpretedFrame System.Management.Automation.Interpreter.Interpreter System.Management.Automation.Interpreter.LabelInfo System.Management.Automation.Interpreter.LabelScopeKind System.Management.Automation.Interpreter.LabelScopeInfo System.Management.Automation.Interpreter.LessThanInstruction System.Management.Automation.Interpreter.ExceptionHandler System.Management.Automation.Interpreter.TryCatchFinallyHandler System.Management.Automation.Interpreter.RethrowException System.Management.Automation.Interpreter.DebugInfo System.Management.Automation.Interpreter.InterpretedFrameInfo System.Management.Automation.Interpreter.LightCompiler System.Management.Automation.Interpreter.LightDelegateCreator System.Management.Automation.Interpreter.LightLambdaCompileEventArgs System.Management.Automation.Interpreter.LightLambda System.Management.Automation.Interpreter.LightLambdaClosureVisitor System.Management.Automation.Interpreter.IBoxableInstruction System.Management.Automation.Interpreter.LocalAccessInstruction System.Management.Automation.Interpreter.LoadLocalInstruction System.Management.Automation.Interpreter.LoadLocalBoxedInstruction System.Management.Automation.Interpreter.LoadLocalFromClosureInstruction System.Management.Automation.Interpreter.LoadLocalFromClosureBoxedInstruction System.Management.Automation.Interpreter.AssignLocalInstruction System.Management.Automation.Interpreter.StoreLocalInstruction System.Management.Automation.Interpreter.AssignLocalBoxedInstruction System.Management.Automation.Interpreter.StoreLocalBoxedInstruction System.Management.Automation.Interpreter.AssignLocalToClosureInstruction System.Management.Automation.Interpreter.InitializeLocalInstruction System.Management.Automation.Interpreter.RuntimeVariablesInstruction System.Management.Automation.Interpreter.LocalVariable System.Management.Automation.Interpreter.LocalDefinition System.Management.Automation.Interpreter.LocalVariables System.Management.Automation.Interpreter.LoopCompiler System.Management.Automation.Interpreter.MulInstruction System.Management.Automation.Interpreter.MulOvfInstruction System.Management.Automation.Interpreter.NotEqualInstruction System.Management.Automation.Interpreter.NumericConvertInstruction System.Management.Automation.Interpreter.UpdatePositionInstruction System.Management.Automation.Interpreter.RuntimeVariables System.Management.Automation.Interpreter.LoadObjectInstruction System.Management.Automation.Interpreter.LoadCachedObjectInstruction System.Management.Automation.Interpreter.PopInstruction System.Management.Automation.Interpreter.DupInstruction System.Management.Automation.Interpreter.SubInstruction System.Management.Automation.Interpreter.SubOvfInstruction System.Management.Automation.Interpreter.CreateDelegateInstruction System.Management.Automation.Interpreter.NewInstruction System.Management.Automation.Interpreter.DefaultValueInstruction`1[T] System.Management.Automation.Interpreter.TypeIsInstruction`1[T] System.Management.Automation.Interpreter.TypeAsInstruction`1[T] System.Management.Automation.Interpreter.TypeEqualsInstruction System.Management.Automation.Interpreter.TypeUtils System.Management.Automation.Interpreter.ArrayUtils System.Management.Automation.Interpreter.DelegateHelpers System.Management.Automation.Interpreter.ScriptingRuntimeHelpers System.Management.Automation.Interpreter.ArgumentArray System.Management.Automation.Interpreter.ExceptionHelpers System.Management.Automation.Interpreter.HybridReferenceDictionary`2[TKey,TValue] System.Management.Automation.Interpreter.CacheDict`2[TKey,TValue] System.Management.Automation.Interpreter.ThreadLocal`1[T] System.Management.Automation.Interpreter.Assert System.Management.Automation.Interpreter.ExpressionAccess System.Management.Automation.Interpreter.Utils System.Management.Automation.Interpreter.CollectionExtension System.Management.Automation.Interpreter.ListEqualityComparer`1[T] System.Management.Automation.PSTasks.PSTask System.Management.Automation.PSTasks.PSJobTask System.Management.Automation.PSTasks.PSTaskBase System.Management.Automation.PSTasks.PSTaskDataStreamWriter System.Management.Automation.PSTasks.PSTaskPool System.Management.Automation.PSTasks.PSTaskJob System.Management.Automation.PSTasks.PSTaskChildDebugger System.Management.Automation.PSTasks.PSTaskChildJob System.Management.Automation.Host.ChoiceDescription System.Management.Automation.Host.FieldDescription System.Management.Automation.Host.PSHost System.Management.Automation.Host.IHostSupportsInteractiveSession System.Management.Automation.Host.Coordinates System.Management.Automation.Host.Size System.Management.Automation.Host.ReadKeyOptions System.Management.Automation.Host.ControlKeyStates System.Management.Automation.Host.KeyInfo System.Management.Automation.Host.Rectangle System.Management.Automation.Host.BufferCell System.Management.Automation.Host.BufferCellType System.Management.Automation.Host.PSHostRawUserInterface System.Management.Automation.Host.PSHostUserInterface System.Management.Automation.Host.TranscriptionData System.Management.Automation.Host.TranscriptionOption System.Management.Automation.Host.IHostUISupportsMultipleChoiceSelection System.Management.Automation.Host.HostUIHelperMethods System.Management.Automation.Host.HostException System.Management.Automation.Host.PromptingException System.Management.Automation.Runspaces.AsyncResult System.Management.Automation.Runspaces.Command System.Management.Automation.Runspaces.PipelineResultTypes System.Management.Automation.Runspaces.CommandCollection System.Management.Automation.Runspaces.InvalidRunspaceStateException System.Management.Automation.Runspaces.RunspaceState System.Management.Automation.Runspaces.PSThreadOptions System.Management.Automation.Runspaces.RunspaceStateInfo System.Management.Automation.Runspaces.RunspaceStateEventArgs System.Management.Automation.Runspaces.RunspaceAvailability System.Management.Automation.Runspaces.RunspaceAvailabilityEventArgs System.Management.Automation.Runspaces.RunspaceCapability System.Management.Automation.Runspaces.Runspace System.Management.Automation.Runspaces.SessionStateProxy System.Management.Automation.Runspaces.RunspaceBase System.Management.Automation.Runspaces.RunspaceFactory System.Management.Automation.Runspaces.LocalRunspace System.Management.Automation.Runspaces.StopJobOperationHelper System.Management.Automation.Runspaces.CloseOrDisconnectRunspaceOperationHelper System.Management.Automation.Runspaces.RunspaceOpenModuleLoadException System.Management.Automation.Runspaces.LocalPipeline System.Management.Automation.Runspaces.PipelineThread System.Management.Automation.Runspaces.PipelineStopper System.Management.Automation.Runspaces.CommandParameter System.Management.Automation.Runspaces.CommandParameterCollection System.Management.Automation.Runspaces.InvalidPipelineStateException System.Management.Automation.Runspaces.PipelineState System.Management.Automation.Runspaces.PipelineStateInfo System.Management.Automation.Runspaces.PipelineStateEventArgs System.Management.Automation.Runspaces.Pipeline System.Management.Automation.Runspaces.PipelineBase System.Management.Automation.Runspaces.PowerShellProcessInstance System.Management.Automation.Runspaces.InvalidRunspacePoolStateException System.Management.Automation.Runspaces.RunspacePoolState System.Management.Automation.Runspaces.RunspacePoolStateChangedEventArgs System.Management.Automation.Runspaces.RunspaceCreatedEventArgs System.Management.Automation.Runspaces.RunspacePoolAvailability System.Management.Automation.Runspaces.RunspacePoolCapability System.Management.Automation.Runspaces.RunspacePoolAsyncResult System.Management.Automation.Runspaces.GetRunspaceAsyncResult System.Management.Automation.Runspaces.RunspacePool System.Management.Automation.Runspaces.EarlyStartup System.Management.Automation.Runspaces.InitialSessionStateEntry System.Management.Automation.Runspaces.ConstrainedSessionStateEntry System.Management.Automation.Runspaces.SessionStateCommandEntry System.Management.Automation.Runspaces.SessionStateTypeEntry System.Management.Automation.Runspaces.SessionStateFormatEntry System.Management.Automation.Runspaces.SessionStateAssemblyEntry System.Management.Automation.Runspaces.SessionStateCmdletEntry System.Management.Automation.Runspaces.SessionStateProviderEntry System.Management.Automation.Runspaces.SessionStateScriptEntry System.Management.Automation.Runspaces.SessionStateAliasEntry System.Management.Automation.Runspaces.SessionStateApplicationEntry System.Management.Automation.Runspaces.SessionStateFunctionEntry System.Management.Automation.Runspaces.SessionStateVariableEntry System.Management.Automation.Runspaces.InitialSessionStateEntryCollection`1[T] System.Management.Automation.Runspaces.InitialSessionState System.Management.Automation.Runspaces.PSSnapInHelpers System.Management.Automation.Runspaces.RunspaceEventSource System.Management.Automation.Runspaces.TargetMachineType System.Management.Automation.Runspaces.PSSession System.Management.Automation.Runspaces.RemotingErrorRecord System.Management.Automation.Runspaces.RemotingProgressRecord System.Management.Automation.Runspaces.RemotingWarningRecord System.Management.Automation.Runspaces.RemotingDebugRecord System.Management.Automation.Runspaces.RemotingVerboseRecord System.Management.Automation.Runspaces.RemotingInformationRecord System.Management.Automation.Runspaces.AuthenticationMechanism System.Management.Automation.Runspaces.PSSessionConfigurationAccessMode System.Management.Automation.Runspaces.OutputBufferingMode System.Management.Automation.Runspaces.RunspaceConnectionInfo System.Management.Automation.Runspaces.WSManConnectionInfo System.Management.Automation.Runspaces.NewProcessConnectionInfo System.Management.Automation.Runspaces.NamedPipeConnectionInfo System.Management.Automation.Runspaces.SSHConnectionInfo System.Management.Automation.Runspaces.VMConnectionInfo System.Management.Automation.Runspaces.ContainerConnectionInfo System.Management.Automation.Runspaces.ContainerProcess System.Management.Automation.Runspaces.TypesPs1xmlReader System.Management.Automation.Runspaces.ConsolidatedString System.Management.Automation.Runspaces.LoadContext System.Management.Automation.Runspaces.TypeTableLoadException System.Management.Automation.Runspaces.TypeData System.Management.Automation.Runspaces.TypeMemberData System.Management.Automation.Runspaces.NotePropertyData System.Management.Automation.Runspaces.AliasPropertyData System.Management.Automation.Runspaces.ScriptPropertyData System.Management.Automation.Runspaces.CodePropertyData System.Management.Automation.Runspaces.ScriptMethodData System.Management.Automation.Runspaces.CodeMethodData System.Management.Automation.Runspaces.PropertySetData System.Management.Automation.Runspaces.MemberSetData System.Management.Automation.Runspaces.TypeTable System.Management.Automation.Runspaces.FormatTableLoadException System.Management.Automation.Runspaces.FormatTable System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml System.Management.Automation.Runspaces.Event_Format_Ps1Xml System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml System.Management.Automation.Runspaces.Help_Format_Ps1Xml System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml System.Management.Automation.Runspaces.Registry_Format_Ps1Xml System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml System.Management.Automation.Runspaces.PSConsoleLoadException System.Management.Automation.Runspaces.PSSnapInException System.Management.Automation.Runspaces.PSSnapInTypeAndFormatErrors System.Management.Automation.Runspaces.FormatAndTypeDataHelper System.Management.Automation.Runspaces.PipelineReader`1[T] System.Management.Automation.Runspaces.PipelineWriter System.Management.Automation.Runspaces.DiscardingPipelineWriter System.Management.Automation.Runspaces.Internal.RunspacePoolInternal System.Management.Automation.Runspaces.Internal.ClientRemotePowerShell System.Management.Automation.Runspaces.Internal.PSConnectionRetryStatus System.Management.Automation.Runspaces.Internal.PSConnectionRetryStatusEventArgs System.Management.Automation.Runspaces.Internal.RemoteRunspacePoolInternal System.Management.Automation.Runspaces.Internal.ConnectCommandInfo System.Management.Automation.Runspaces.Internal.RemoteRunspacePoolEnumeration System.Management.Automation.Language.AstParameterArgumentType System.Management.Automation.Language.AstParameterArgumentPair System.Management.Automation.Language.PipeObjectPair System.Management.Automation.Language.AstArrayPair System.Management.Automation.Language.FakePair System.Management.Automation.Language.SwitchPair System.Management.Automation.Language.AstPair System.Management.Automation.Language.StaticParameterBinder System.Management.Automation.Language.StaticBindingResult System.Management.Automation.Language.ParameterBindingResult System.Management.Automation.Language.StaticBindingError System.Management.Automation.Language.PseudoBindingInfoType System.Management.Automation.Language.PseudoBindingInfo System.Management.Automation.Language.PseudoParameterBinder System.Management.Automation.Language.CodeGeneration System.Management.Automation.Language.NullString System.Management.Automation.Language.ISupportsAssignment System.Management.Automation.Language.IAssignableValue System.Management.Automation.Language.IParameterMetadataProvider System.Management.Automation.Language.Ast System.Management.Automation.Language.SequencePointAst System.Management.Automation.Language.ErrorStatementAst System.Management.Automation.Language.ErrorExpressionAst System.Management.Automation.Language.ScriptRequirements System.Management.Automation.Language.ScriptBlockAst System.Management.Automation.Language.ParamBlockAst System.Management.Automation.Language.NamedBlockAst System.Management.Automation.Language.NamedAttributeArgumentAst System.Management.Automation.Language.AttributeBaseAst System.Management.Automation.Language.AttributeAst System.Management.Automation.Language.TypeConstraintAst System.Management.Automation.Language.ParameterAst System.Management.Automation.Language.StatementBlockAst System.Management.Automation.Language.StatementAst System.Management.Automation.Language.TypeAttributes System.Management.Automation.Language.TypeDefinitionAst System.Management.Automation.Language.UsingStatementKind System.Management.Automation.Language.UsingStatementAst System.Management.Automation.Language.MemberAst System.Management.Automation.Language.PropertyAttributes System.Management.Automation.Language.PropertyMemberAst System.Management.Automation.Language.MethodAttributes System.Management.Automation.Language.FunctionMemberAst System.Management.Automation.Language.SpecialMemberFunctionType System.Management.Automation.Language.CompilerGeneratedMemberFunctionAst System.Management.Automation.Language.FunctionDefinitionAst System.Management.Automation.Language.IfStatementAst System.Management.Automation.Language.DataStatementAst System.Management.Automation.Language.LabeledStatementAst System.Management.Automation.Language.LoopStatementAst System.Management.Automation.Language.ForEachFlags System.Management.Automation.Language.ForEachStatementAst System.Management.Automation.Language.ForStatementAst System.Management.Automation.Language.DoWhileStatementAst System.Management.Automation.Language.DoUntilStatementAst System.Management.Automation.Language.WhileStatementAst System.Management.Automation.Language.SwitchFlags System.Management.Automation.Language.SwitchStatementAst System.Management.Automation.Language.CatchClauseAst System.Management.Automation.Language.TryStatementAst System.Management.Automation.Language.TrapStatementAst System.Management.Automation.Language.BreakStatementAst System.Management.Automation.Language.ContinueStatementAst System.Management.Automation.Language.ReturnStatementAst System.Management.Automation.Language.ExitStatementAst System.Management.Automation.Language.ThrowStatementAst System.Management.Automation.Language.ChainableAst System.Management.Automation.Language.PipelineChainAst System.Management.Automation.Language.PipelineBaseAst System.Management.Automation.Language.PipelineAst System.Management.Automation.Language.CommandElementAst System.Management.Automation.Language.CommandParameterAst System.Management.Automation.Language.CommandBaseAst System.Management.Automation.Language.CommandAst System.Management.Automation.Language.CommandExpressionAst System.Management.Automation.Language.RedirectionAst System.Management.Automation.Language.RedirectionStream System.Management.Automation.Language.MergingRedirectionAst System.Management.Automation.Language.FileRedirectionAst System.Management.Automation.Language.AssignmentStatementAst System.Management.Automation.Language.ConfigurationType System.Management.Automation.Language.ConfigurationDefinitionAst System.Management.Automation.Language.DynamicKeywordStatementAst System.Management.Automation.Language.ExpressionAst System.Management.Automation.Language.TernaryExpressionAst System.Management.Automation.Language.BinaryExpressionAst System.Management.Automation.Language.UnaryExpressionAst System.Management.Automation.Language.BlockStatementAst System.Management.Automation.Language.AttributedExpressionAst System.Management.Automation.Language.ConvertExpressionAst System.Management.Automation.Language.MemberExpressionAst System.Management.Automation.Language.InvokeMemberExpressionAst System.Management.Automation.Language.BaseCtorInvokeMemberExpressionAst System.Management.Automation.Language.ITypeName System.Management.Automation.Language.ISupportsTypeCaching System.Management.Automation.Language.TypeName System.Management.Automation.Language.GenericTypeName System.Management.Automation.Language.ArrayTypeName System.Management.Automation.Language.ReflectionTypeName System.Management.Automation.Language.TypeExpressionAst System.Management.Automation.Language.VariableExpressionAst System.Management.Automation.Language.ConstantExpressionAst System.Management.Automation.Language.StringConstantType System.Management.Automation.Language.StringConstantExpressionAst System.Management.Automation.Language.ExpandableStringExpressionAst System.Management.Automation.Language.ScriptBlockExpressionAst System.Management.Automation.Language.ArrayLiteralAst System.Management.Automation.Language.HashtableAst System.Management.Automation.Language.ArrayExpressionAst System.Management.Automation.Language.ParenExpressionAst System.Management.Automation.Language.SubExpressionAst System.Management.Automation.Language.UsingExpressionAst System.Management.Automation.Language.IndexExpressionAst System.Management.Automation.Language.CommentHelpInfo System.Management.Automation.Language.ICustomAstVisitor System.Management.Automation.Language.ICustomAstVisitor2 System.Management.Automation.Language.AstSearcher System.Management.Automation.Language.DefaultCustomAstVisitor System.Management.Automation.Language.DefaultCustomAstVisitor2 System.Management.Automation.Language.SpecialChars System.Management.Automation.Language.CharTraits System.Management.Automation.Language.CharExtensions System.Management.Automation.Language.CachedReflectionInfo System.Management.Automation.Language.ExpressionCache System.Management.Automation.Language.ExpressionExtensions System.Management.Automation.Language.FunctionContext System.Management.Automation.Language.Compiler System.Management.Automation.Language.MemberAssignableValue System.Management.Automation.Language.InvokeMemberAssignableValue System.Management.Automation.Language.IndexAssignableValue System.Management.Automation.Language.ArrayAssignableValue System.Management.Automation.Language.PowerShellLoopExpression System.Management.Automation.Language.EnterLoopExpression System.Management.Automation.Language.UpdatePositionExpr System.Management.Automation.Language.IsConstantValueVisitor System.Management.Automation.Language.ConstantValueVisitor System.Management.Automation.Language.ParseMode System.Management.Automation.Language.Parser System.Management.Automation.Language.ParseError System.Management.Automation.Language.ParserEventSource System.Management.Automation.Language.IScriptPosition System.Management.Automation.Language.IScriptExtent System.Management.Automation.Language.PositionUtilities System.Management.Automation.Language.PositionHelper System.Management.Automation.Language.InternalScriptPosition System.Management.Automation.Language.InternalScriptExtent System.Management.Automation.Language.EmptyScriptPosition System.Management.Automation.Language.EmptyScriptExtent System.Management.Automation.Language.ScriptPosition System.Management.Automation.Language.ScriptExtent System.Management.Automation.Language.AstVisitAction System.Management.Automation.Language.AstVisitor System.Management.Automation.Language.AstVisitor2 System.Management.Automation.Language.IAstPostVisitHandler System.Management.Automation.Language.TypeDefiner System.Management.Automation.Language.NoRunspaceAffinityAttribute System.Management.Automation.Language.IsSafeValueVisitor System.Management.Automation.Language.GetSafeValueVisitor System.Management.Automation.Language.SemanticChecks System.Management.Automation.Language.DscResourceChecker System.Management.Automation.Language.RestrictedLanguageChecker System.Management.Automation.Language.ScopeType System.Management.Automation.Language.TypeLookupResult System.Management.Automation.Language.Scope System.Management.Automation.Language.SymbolTable System.Management.Automation.Language.SymbolResolver System.Management.Automation.Language.SymbolResolvePostActionVisitor System.Management.Automation.Language.TokenKind System.Management.Automation.Language.TokenFlags System.Management.Automation.Language.TokenTraits System.Management.Automation.Language.Token System.Management.Automation.Language.NumberToken System.Management.Automation.Language.ParameterToken System.Management.Automation.Language.VariableToken System.Management.Automation.Language.StringToken System.Management.Automation.Language.StringLiteralToken System.Management.Automation.Language.StringExpandableToken System.Management.Automation.Language.LabelToken System.Management.Automation.Language.RedirectionToken System.Management.Automation.Language.InputRedirectionToken System.Management.Automation.Language.MergingRedirectionToken System.Management.Automation.Language.FileRedirectionToken System.Management.Automation.Language.UnscannedSubExprToken System.Management.Automation.Language.DynamicKeywordNameMode System.Management.Automation.Language.DynamicKeywordBodyMode System.Management.Automation.Language.DynamicKeyword System.Management.Automation.Language.DynamicKeywordExtension System.Management.Automation.Language.DynamicKeywordProperty System.Management.Automation.Language.DynamicKeywordParameter System.Management.Automation.Language.TokenizerMode System.Management.Automation.Language.NumberSuffixFlags System.Management.Automation.Language.NumberFormat System.Management.Automation.Language.TokenizerState System.Management.Automation.Language.Tokenizer System.Management.Automation.Language.TypeResolver System.Management.Automation.Language.TypeResolutionState System.Management.Automation.Language.TypeCache System.Management.Automation.Language.VariablePathExtensions System.Management.Automation.Language.VariableAnalysisDetails System.Management.Automation.Language.FindAllVariablesVisitor System.Management.Automation.Language.VariableAnalysis System.Management.Automation.Language.DynamicMetaObjectExtensions System.Management.Automation.Language.DynamicMetaObjectBinderExtensions System.Management.Automation.Language.BinderUtils System.Management.Automation.Language.PSEnumerableBinder System.Management.Automation.Language.PSToObjectArrayBinder System.Management.Automation.Language.PSPipeWriterBinder System.Management.Automation.Language.PSArrayAssignmentRHSBinder System.Management.Automation.Language.PSToStringBinder System.Management.Automation.Language.PSPipelineResultToBoolBinder System.Management.Automation.Language.PSInvokeDynamicMemberBinder System.Management.Automation.Language.PSDynamicGetOrSetBinderKeyComparer System.Management.Automation.Language.PSGetDynamicMemberBinder System.Management.Automation.Language.PSSetDynamicMemberBinder System.Management.Automation.Language.PSSwitchClauseEvalBinder System.Management.Automation.Language.PSAttributeGenerator System.Management.Automation.Language.PSCustomObjectConverter System.Management.Automation.Language.PSDynamicConvertBinder System.Management.Automation.Language.PSVariableAssignmentBinder System.Management.Automation.Language.PSBinaryOperationBinder System.Management.Automation.Language.PSUnaryOperationBinder System.Management.Automation.Language.PSConvertBinder System.Management.Automation.Language.PSGetIndexBinder System.Management.Automation.Language.PSSetIndexBinder System.Management.Automation.Language.PSGetMemberBinder System.Management.Automation.Language.PSSetMemberBinder System.Management.Automation.Language.PSInvokeBinder System.Management.Automation.Language.PSInvokeMemberBinder System.Management.Automation.Language.PSCreateInstanceBinder System.Management.Automation.Language.PSInvokeBaseCtorBinder System.Management.Automation.InteropServices.ComEventsSink System.Management.Automation.InteropServices.ComEventsMethod System.Management.Automation.InteropServices.IDispatch System.Management.Automation.InteropServices.InvokeFlags System.Management.Automation.InteropServices.Variant System.Management.Automation.ComInterop.ArgBuilder System.Management.Automation.ComInterop.BoolArgBuilder System.Management.Automation.ComInterop.BoundDispEvent System.Management.Automation.ComInterop.CollectionExtensions System.Management.Automation.ComInterop.ComBinder System.Management.Automation.ComInterop.ComBinderHelpers System.Management.Automation.ComInterop.ComClassMetaObject System.Management.Automation.ComInterop.ComEventDesc System.Management.Automation.ComInterop.ComEventSinksContainer System.Management.Automation.ComInterop.ComFallbackMetaObject System.Management.Automation.ComInterop.ComUnwrappedMetaObject System.Management.Automation.ComInterop.ComHresults System.Management.Automation.ComInterop.IDispatch System.Management.Automation.ComInterop.IProvideClassInfo System.Management.Automation.ComInterop.ComDispIds System.Management.Automation.ComInterop.ComInvokeAction System.Management.Automation.ComInterop.SplatInvokeBinder System.Management.Automation.ComInterop.ComInvokeBinder System.Management.Automation.ComInterop.ComMetaObject System.Management.Automation.ComInterop.ComMethodDesc System.Management.Automation.ComInterop.ComObject System.Management.Automation.ComInterop.ComRuntimeHelpers System.Management.Automation.ComInterop.UnsafeMethods System.Management.Automation.ComInterop.ComTypeClassDesc System.Management.Automation.ComInterop.ComTypeDesc System.Management.Automation.ComInterop.ComTypeEnumDesc System.Management.Automation.ComInterop.ComTypeLibDesc System.Management.Automation.ComInterop.ConversionArgBuilder System.Management.Automation.ComInterop.ConvertArgBuilder System.Management.Automation.ComInterop.ConvertibleArgBuilder System.Management.Automation.ComInterop.CurrencyArgBuilder System.Management.Automation.ComInterop.DateTimeArgBuilder System.Management.Automation.ComInterop.DispatchArgBuilder System.Management.Automation.ComInterop.DispCallable System.Management.Automation.ComInterop.DispCallableMetaObject System.Management.Automation.ComInterop.ErrorArgBuilder System.Management.Automation.ComInterop.Error System.Management.Automation.ComInterop.ExcepInfo System.Management.Automation.ComInterop.Helpers System.Management.Automation.ComInterop.Requires System.Management.Automation.ComInterop.IDispatchComObject System.Management.Automation.ComInterop.IDispatchMetaObject System.Management.Automation.ComInterop.IPseudoComObject System.Management.Automation.ComInterop.NullArgBuilder System.Management.Automation.ComInterop.SimpleArgBuilder System.Management.Automation.ComInterop.SplatCallSite System.Management.Automation.ComInterop.StringArgBuilder System.Management.Automation.ComInterop.TypeEnumMetaObject System.Management.Automation.ComInterop.TypeLibMetaObject System.Management.Automation.ComInterop.TypeUtils System.Management.Automation.ComInterop.UnknownArgBuilder System.Management.Automation.ComInterop.VarEnumSelector System.Management.Automation.ComInterop.VariantArgBuilder System.Management.Automation.ComInterop.VariantArray1 System.Management.Automation.ComInterop.VariantArray2 System.Management.Automation.ComInterop.VariantArray4 System.Management.Automation.ComInterop.VariantArray8 System.Management.Automation.ComInterop.VariantArray System.Management.Automation.ComInterop.VariantBuilder System.Management.Automation.Internal.PSTransactionManager System.Management.Automation.Internal.PowerShellModuleAssemblyAnalyzer System.Management.Automation.Internal.CmdletMetadataAttribute System.Management.Automation.Internal.ParsingBaseAttribute System.Management.Automation.Internal.AutomationNull System.Management.Automation.Internal.InternalCommand System.Management.Automation.Internal.CommonParameters System.Management.Automation.Internal.DebuggerUtils System.Management.Automation.Internal.PSMonitorRunspaceType System.Management.Automation.Internal.PSMonitorRunspaceInfo System.Management.Automation.Internal.PSStandaloneMonitorRunspaceInfo System.Management.Automation.Internal.PSEmbeddedMonitorRunspaceInfo System.Management.Automation.Internal.ModuleUtils System.Management.Automation.Internal.CommandScore System.Management.Automation.Internal.VariableStreamKind System.Management.Automation.Internal.Pipe System.Management.Automation.Internal.PipelineProcessor System.Management.Automation.Internal.ClientRunspacePoolDataStructureHandler System.Management.Automation.Internal.ClientPowerShellDataStructureHandler System.Management.Automation.Internal.InformationalMessage System.Management.Automation.Internal.RobustConnectionProgress System.Management.Automation.Internal.PSKeyword System.Management.Automation.Internal.PSLevel System.Management.Automation.Internal.PSOpcode System.Management.Automation.Internal.PSEventId System.Management.Automation.Internal.PSChannel System.Management.Automation.Internal.PSTask System.Management.Automation.Internal.PSEventVersion System.Management.Automation.Internal.PSETWBinaryBlob System.Management.Automation.Internal.SessionStateKeeper System.Management.Automation.Internal.ScriptBlockMemberMethodWrapper System.Management.Automation.Internal.ClassOps System.Management.Automation.Internal.ShouldProcessParameters System.Management.Automation.Internal.TransactionParameters System.Management.Automation.Internal.InternalTestHooks System.Management.Automation.Internal.HistoryStack`1[T] System.Management.Automation.Internal.BoundedStack`1[T] System.Management.Automation.Internal.ReadOnlyBag`1[T] System.Management.Automation.Internal.Requires System.Management.Automation.Internal.StringDecorated System.Management.Automation.Internal.ValueStringDecorated System.Management.Automation.Internal.ICabinetExtractor System.Management.Automation.Internal.ICabinetExtractorLoader System.Management.Automation.Internal.CabinetExtractorFactory System.Management.Automation.Internal.EmptyCabinetExtractor System.Management.Automation.Internal.CabinetExtractor System.Management.Automation.Internal.CabinetExtractorLoader System.Management.Automation.Internal.CabinetNativeApi System.Management.Automation.Internal.AlternateStreamData System.Management.Automation.Internal.AlternateDataStreamUtilities System.Management.Automation.Internal.CopyFileRemoteUtils System.Management.Automation.Internal.SaferPolicy System.Management.Automation.Internal.SecuritySupport System.Management.Automation.Internal.CertificateFilterInfo System.Management.Automation.Internal.PSCryptoNativeConverter System.Management.Automation.Internal.PSCryptoException System.Management.Automation.Internal.PSRSACryptoServiceProvider System.Management.Automation.Internal.PSRemotingCryptoHelper System.Management.Automation.Internal.PSRemotingCryptoHelperServer System.Management.Automation.Internal.PSRemotingCryptoHelperClient System.Management.Automation.Internal.TestHelperSession System.Management.Automation.Internal.GraphicalHostReflectionWrapper System.Management.Automation.Internal.ObjectReaderBase`1[T] System.Management.Automation.Internal.ObjectReader System.Management.Automation.Internal.PSObjectReader System.Management.Automation.Internal.PSDataCollectionReader`2[T,TResult] System.Management.Automation.Internal.PSDataCollectionPipelineReader`2[T,TReturn] System.Management.Automation.Internal.ObjectStreamBase System.Management.Automation.Internal.ObjectStream System.Management.Automation.Internal.PSDataCollectionStream`1[T] System.Management.Automation.Internal.ObjectWriter System.Management.Automation.Internal.PSDataCollectionWriter`1[T] System.Management.Automation.Internal.StringUtil System.Management.Automation.Internal.Host.InternalHost System.Management.Automation.Internal.Host.InternalHostRawUserInterface System.Management.Automation.Internal.Host.InternalHostUserInterface Microsoft.PowerShell.NativeCultureResolver Microsoft.PowerShell.ToStringCodeMethods Microsoft.PowerShell.AdapterCodeMethods Microsoft.PowerShell.DefaultHost Microsoft.PowerShell.ProcessCodeMethods Microsoft.PowerShell.DeserializingTypeConverter Microsoft.PowerShell.SecureStringHelper Microsoft.PowerShell.EncryptionResult Microsoft.PowerShell.DataProtectionScope Microsoft.PowerShell.ProtectedData Microsoft.PowerShell.CAPI Microsoft.PowerShell.PSAuthorizationManager Microsoft.PowerShell.ExecutionPolicy Microsoft.PowerShell.ExecutionPolicyScope Microsoft.PowerShell.Telemetry.TelemetryType Microsoft.PowerShell.Telemetry.NameObscurerTelemetryInitializer Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry Microsoft.PowerShell.DesiredStateConfiguration.ArgumentToConfigurationDataTransformationAttribute Microsoft.PowerShell.DesiredStateConfiguration.CimDSCParser Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscRemoteOperationsClass Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCacheEntry Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache Microsoft.PowerShell.Commands.EnableDisableExperimentalFeatureCommandBase Microsoft.PowerShell.Commands.EnableExperimentalFeatureCommand Microsoft.PowerShell.Commands.DisableExperimentalFeatureCommand Microsoft.PowerShell.Commands.ExperimentalFeatureConfigHelper Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand Microsoft.PowerShell.Commands.GetCommandCommand Microsoft.PowerShell.Commands.NounArgumentCompleter Microsoft.PowerShell.Commands.HistoryInfo Microsoft.PowerShell.Commands.History Microsoft.PowerShell.Commands.GetHistoryCommand Microsoft.PowerShell.Commands.InvokeHistoryCommand Microsoft.PowerShell.Commands.AddHistoryCommand Microsoft.PowerShell.Commands.ClearHistoryCommand Microsoft.PowerShell.Commands.DynamicPropertyGetter Microsoft.PowerShell.Commands.ForEachObjectCommand Microsoft.PowerShell.Commands.WhereObjectCommand Microsoft.PowerShell.Commands.SetPSDebugCommand Microsoft.PowerShell.Commands.SetStrictModeCommand Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter Microsoft.PowerShell.Commands.ExportModuleMemberCommand Microsoft.PowerShell.Commands.GetModuleCommand Microsoft.PowerShell.Commands.PSEditionArgumentCompleter Microsoft.PowerShell.Commands.ImportModuleCommand Microsoft.PowerShell.Commands.ModuleCmdletBase Microsoft.PowerShell.Commands.BinaryAnalysisResult Microsoft.PowerShell.Commands.ModuleSpecification Microsoft.PowerShell.Commands.ModuleSpecificationComparer Microsoft.PowerShell.Commands.NewModuleCommand Microsoft.PowerShell.Commands.NewModuleManifestCommand Microsoft.PowerShell.Commands.RemoveModuleCommand Microsoft.PowerShell.Commands.TestModuleManifestCommand Microsoft.PowerShell.Commands.ObjectEventRegistrationBase Microsoft.PowerShell.Commands.ConnectPSSessionCommand Microsoft.PowerShell.Commands.RegisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.PSSessionConfigurationCommandUtilities Microsoft.PowerShell.Commands.PSSessionConfigurationCommandBase Microsoft.PowerShell.Commands.UnregisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.GetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.SetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.DisablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSRemotingCommand Microsoft.PowerShell.Commands.DisablePSRemotingCommand Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand Microsoft.PowerShell.Commands.DebugJobCommand Microsoft.PowerShell.Commands.DisconnectPSSessionCommand Microsoft.PowerShell.Commands.EnterPSHostProcessCommand Microsoft.PowerShell.Commands.ExitPSHostProcessCommand Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand Microsoft.PowerShell.Commands.PSHostProcessInfo Microsoft.PowerShell.Commands.PSHostProcessUtils Microsoft.PowerShell.Commands.GetJobCommand Microsoft.PowerShell.Commands.GetPSSessionCommand Microsoft.PowerShell.Commands.InvokeCommandCommand Microsoft.PowerShell.Commands.NewPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.NewPSRoleCapabilityFileCommand Microsoft.PowerShell.Commands.SessionConfigurationUtils Microsoft.PowerShell.Commands.WSManConfigurationOption Microsoft.PowerShell.Commands.NewPSTransportOptionCommand Microsoft.PowerShell.Commands.NewPSSessionOptionCommand Microsoft.PowerShell.Commands.NewPSSessionCommand Microsoft.PowerShell.Commands.OpenRunspaceOperation Microsoft.PowerShell.Commands.ExitPSSessionCommand Microsoft.PowerShell.Commands.PSRemotingCmdlet Microsoft.PowerShell.Commands.SSHConnection Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet Microsoft.PowerShell.Commands.PSExecutionCmdlet Microsoft.PowerShell.Commands.PSRunspaceCmdlet Microsoft.PowerShell.Commands.ExecutionCmdletHelper Microsoft.PowerShell.Commands.ExecutionCmdletHelperRunspace Microsoft.PowerShell.Commands.ExecutionCmdletHelperComputerName Microsoft.PowerShell.Commands.PathResolver Microsoft.PowerShell.Commands.QueryRunspaces Microsoft.PowerShell.Commands.SessionFilterState Microsoft.PowerShell.Commands.EnterPSSessionCommand Microsoft.PowerShell.Commands.ReceiveJobCommand Microsoft.PowerShell.Commands.OutputProcessingState Microsoft.PowerShell.Commands.ReceivePSSessionCommand Microsoft.PowerShell.Commands.OutTarget Microsoft.PowerShell.Commands.RunspaceParameterSet Microsoft.PowerShell.Commands.RemotingCommandUtil Microsoft.PowerShell.Commands.JobCmdletBase Microsoft.PowerShell.Commands.RemoveJobCommand Microsoft.PowerShell.Commands.RemovePSSessionCommand Microsoft.PowerShell.Commands.StartJobCommand Microsoft.PowerShell.Commands.StopJobCommand Microsoft.PowerShell.Commands.TestPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.WaitJobCommand Microsoft.PowerShell.Commands.OpenMode Microsoft.PowerShell.Commands.EnumerableExpansionConversion Microsoft.PowerShell.Commands.FormatXmlWriter Microsoft.PowerShell.Commands.PSPropertyExpressionResult Microsoft.PowerShell.Commands.PSPropertyExpression Microsoft.PowerShell.Commands.FormatDefaultCommand Microsoft.PowerShell.Commands.OutNullCommand Microsoft.PowerShell.Commands.OutDefaultCommand Microsoft.PowerShell.Commands.OutHostCommand Microsoft.PowerShell.Commands.OutLineOutputCommand Microsoft.PowerShell.Commands.HelpCategoryInvalidException Microsoft.PowerShell.Commands.GetHelpCommand Microsoft.PowerShell.Commands.GetHelpCodeMethods Microsoft.PowerShell.Commands.HelpNotFoundException Microsoft.PowerShell.Commands.SaveHelpCommand Microsoft.PowerShell.Commands.ArgumentToModuleTransformationAttribute Microsoft.PowerShell.Commands.UpdatableHelpCommandBase Microsoft.PowerShell.Commands.UpdateHelpScope Microsoft.PowerShell.Commands.UpdateHelpCommand Microsoft.PowerShell.Commands.AliasProvider Microsoft.PowerShell.Commands.AliasProviderDynamicParameters Microsoft.PowerShell.Commands.EnvironmentProvider Microsoft.PowerShell.Commands.FileSystemContentReaderWriter Microsoft.PowerShell.Commands.FileStreamBackReader Microsoft.PowerShell.Commands.BackReaderEncodingNotSupportedException Microsoft.PowerShell.Commands.FileSystemProvider Microsoft.PowerShell.Commands.SafeInvokeCommand Microsoft.PowerShell.Commands.CopyItemDynamicParameters Microsoft.PowerShell.Commands.GetChildDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentDynamicParametersBase Microsoft.PowerShell.Commands.FileSystemClearContentDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentWriterDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentReaderDynamicParameters Microsoft.PowerShell.Commands.FileSystemItemProviderDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderGetItemDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderRemoveItemDynamicParameters Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods Microsoft.PowerShell.Commands.FunctionProvider Microsoft.PowerShell.Commands.FunctionProviderDynamicParameters Microsoft.PowerShell.Commands.RegistryProvider Microsoft.PowerShell.Commands.RegistryProviderSetItemDynamicParameter Microsoft.PowerShell.Commands.IRegistryWrapper Microsoft.PowerShell.Commands.RegistryWrapperUtils Microsoft.PowerShell.Commands.RegistryWrapper Microsoft.PowerShell.Commands.TransactedRegistryWrapper Microsoft.PowerShell.Commands.SessionStateProviderBase Microsoft.PowerShell.Commands.SessionStateProviderBaseContentReaderWriter Microsoft.PowerShell.Commands.VariableProvider Microsoft.PowerShell.Commands.CertificatePurpose Microsoft.PowerShell.Commands.Internal.TransactedRegistryKey Microsoft.PowerShell.Commands.Internal.TransactedRegistry Microsoft.PowerShell.Commands.Internal.TransactedRegistrySecurity Microsoft.PowerShell.Commands.Internal.RemotingErrorResources Microsoft.PowerShell.Commands.Internal.Win32Native Microsoft.PowerShell.Commands.Internal.Format.TerminatingErrorContext Microsoft.PowerShell.Commands.Internal.Format.CommandWrapper Microsoft.PowerShell.Commands.Internal.Format.FrontEndCommandBase Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommandBase Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommand Microsoft.PowerShell.Commands.Internal.Format.OuterFormatShapeCommandBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableAndListBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableBase Microsoft.PowerShell.Commands.Internal.Format.FormattingCommandLineParameters Microsoft.PowerShell.Commands.Internal.Format.ShapeSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.TableSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.WideSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.ComplexSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.ExpressionEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.AlignmentEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.WidthEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.LabelEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatStringDefinition Microsoft.PowerShell.Commands.Internal.Format.BooleanEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatParameterDefinitionKeys Microsoft.PowerShell.Commands.Internal.Format.FormatGroupByParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatParameterDefinitionBase Microsoft.PowerShell.Commands.Internal.Format.FormatTableParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatListParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatWideParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatObjectParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner Microsoft.PowerShell.Commands.Internal.Format.ColumnWidthManager Microsoft.PowerShell.Commands.Internal.Format.ComplexWriter Microsoft.PowerShell.Commands.Internal.Format.IndentationManager Microsoft.PowerShell.Commands.Internal.Format.GetWordsResult Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper Microsoft.PowerShell.Commands.Internal.Format.EnumerableExpansion Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBase Microsoft.PowerShell.Commands.Internal.Format.DatabaseLoadingInfo Microsoft.PowerShell.Commands.Internal.Format.DefaultSettingsSection Microsoft.PowerShell.Commands.Internal.Format.FormatErrorPolicy Microsoft.PowerShell.Commands.Internal.Format.ShapeSelectionDirectives Microsoft.PowerShell.Commands.Internal.Format.FormatShape Microsoft.PowerShell.Commands.Internal.Format.FormatShapeSelectionBase Microsoft.PowerShell.Commands.Internal.Format.FormatShapeSelectionOnType Microsoft.PowerShell.Commands.Internal.Format.EnumerableExpansionDirective Microsoft.PowerShell.Commands.Internal.Format.TypeGroupsSection Microsoft.PowerShell.Commands.Internal.Format.TypeGroupDefinition Microsoft.PowerShell.Commands.Internal.Format.TypeOrGroupReference Microsoft.PowerShell.Commands.Internal.Format.TypeReference Microsoft.PowerShell.Commands.Internal.Format.TypeGroupReference Microsoft.PowerShell.Commands.Internal.Format.FormatToken Microsoft.PowerShell.Commands.Internal.Format.TextToken Microsoft.PowerShell.Commands.Internal.Format.NewLineToken Microsoft.PowerShell.Commands.Internal.Format.FrameToken Microsoft.PowerShell.Commands.Internal.Format.FrameInfoDefinition Microsoft.PowerShell.Commands.Internal.Format.ExpressionToken Microsoft.PowerShell.Commands.Internal.Format.PropertyTokenBase Microsoft.PowerShell.Commands.Internal.Format.CompoundPropertyToken Microsoft.PowerShell.Commands.Internal.Format.FieldPropertyToken Microsoft.PowerShell.Commands.Internal.Format.FieldFormattingDirective Microsoft.PowerShell.Commands.Internal.Format.ControlBase Microsoft.PowerShell.Commands.Internal.Format.ControlReference Microsoft.PowerShell.Commands.Internal.Format.ControlBody Microsoft.PowerShell.Commands.Internal.Format.ControlDefinition Microsoft.PowerShell.Commands.Internal.Format.ViewDefinitionsSection Microsoft.PowerShell.Commands.Internal.Format.AppliesTo Microsoft.PowerShell.Commands.Internal.Format.GroupBy Microsoft.PowerShell.Commands.Internal.Format.StartGroup Microsoft.PowerShell.Commands.Internal.Format.FormatControlDefinitionHolder Microsoft.PowerShell.Commands.Internal.Format.ViewDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatDirective Microsoft.PowerShell.Commands.Internal.Format.StringResourceReference Microsoft.PowerShell.Commands.Internal.Format.ComplexControlBody Microsoft.PowerShell.Commands.Internal.Format.ComplexControlEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.ComplexControlItemDefinition Microsoft.PowerShell.Commands.Internal.Format.ListControlBody Microsoft.PowerShell.Commands.Internal.Format.ListControlEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.ListControlItemDefinition Microsoft.PowerShell.Commands.Internal.Format.FieldControlBody Microsoft.PowerShell.Commands.Internal.Format.TextAlignment Microsoft.PowerShell.Commands.Internal.Format.TableControlBody Microsoft.PowerShell.Commands.Internal.Format.TableHeaderDefinition Microsoft.PowerShell.Commands.Internal.Format.TableColumnHeaderDefinition Microsoft.PowerShell.Commands.Internal.Format.TableRowDefinition Microsoft.PowerShell.Commands.Internal.Format.TableRowItemDefinition Microsoft.PowerShell.Commands.Internal.Format.WideControlBody Microsoft.PowerShell.Commands.Internal.Format.WideControlEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager Microsoft.PowerShell.Commands.Internal.Format.DisplayCondition Microsoft.PowerShell.Commands.Internal.Format.TypeMatchItem Microsoft.PowerShell.Commands.Internal.Format.TypeMatch Microsoft.PowerShell.Commands.Internal.Format.DisplayDataQuery Microsoft.PowerShell.Commands.Internal.Format.XmlFileLoadInfo Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoaderException Microsoft.PowerShell.Commands.Internal.Format.TooManyErrorsException Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLoggerEntry Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLogger Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderBase Microsoft.PowerShell.Commands.Internal.Format.GroupingInfoManager Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager Microsoft.PowerShell.Commands.Internal.Format.FormatInfoData Microsoft.PowerShell.Commands.Internal.Format.PacketInfoData Microsoft.PowerShell.Commands.Internal.Format.ControlInfoData Microsoft.PowerShell.Commands.Internal.Format.StartData Microsoft.PowerShell.Commands.Internal.Format.FormatStartData Microsoft.PowerShell.Commands.Internal.Format.FormatEndData Microsoft.PowerShell.Commands.Internal.Format.GroupStartData Microsoft.PowerShell.Commands.Internal.Format.GroupEndData Microsoft.PowerShell.Commands.Internal.Format.FormatEntryData Microsoft.PowerShell.Commands.Internal.Format.ShapeInfo Microsoft.PowerShell.Commands.Internal.Format.WideViewHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.TableHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.TableColumnInfo Microsoft.PowerShell.Commands.Internal.Format.ListViewHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.ComplexViewHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.FormatEntryInfo Microsoft.PowerShell.Commands.Internal.Format.RawTextFormatEntry Microsoft.PowerShell.Commands.Internal.Format.FreeFormatEntry Microsoft.PowerShell.Commands.Internal.Format.ListViewEntry Microsoft.PowerShell.Commands.Internal.Format.ListViewField Microsoft.PowerShell.Commands.Internal.Format.TableRowEntry Microsoft.PowerShell.Commands.Internal.Format.WideViewEntry Microsoft.PowerShell.Commands.Internal.Format.ComplexViewEntry Microsoft.PowerShell.Commands.Internal.Format.GroupingEntry Microsoft.PowerShell.Commands.Internal.Format.PageHeaderEntry Microsoft.PowerShell.Commands.Internal.Format.PageFooterEntry Microsoft.PowerShell.Commands.Internal.Format.AutosizeInfo Microsoft.PowerShell.Commands.Internal.Format.FormatValue Microsoft.PowerShell.Commands.Internal.Format.FormatNewLine Microsoft.PowerShell.Commands.Internal.Format.FormatTextField Microsoft.PowerShell.Commands.Internal.Format.FormatPropertyField Microsoft.PowerShell.Commands.Internal.Format.FormatEntry Microsoft.PowerShell.Commands.Internal.Format.FrameInfo Microsoft.PowerShell.Commands.Internal.Format.FormatObjectDeserializer Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataClassFactory Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataListDeserializer`1[T] Microsoft.PowerShell.Commands.Internal.Format.ViewGenerator Microsoft.PowerShell.Commands.Internal.Format.ComplexViewGenerator Microsoft.PowerShell.Commands.Internal.Format.ComplexControlGenerator Microsoft.PowerShell.Commands.Internal.Format.TraversalInfo Microsoft.PowerShell.Commands.Internal.Format.ComplexViewObjectBrowser Microsoft.PowerShell.Commands.Internal.Format.ListViewGenerator Microsoft.PowerShell.Commands.Internal.Format.TableViewGenerator Microsoft.PowerShell.Commands.Internal.Format.WideViewGenerator Microsoft.PowerShell.Commands.Internal.Format.DefaultScalarTypes Microsoft.PowerShell.Commands.Internal.Format.FormatViewManager Microsoft.PowerShell.Commands.Internal.Format.OutOfBandFormatViewManager Microsoft.PowerShell.Commands.Internal.Format.FormatErrorManager Microsoft.PowerShell.Commands.Internal.Format.DisplayCells Microsoft.PowerShell.Commands.Internal.Format.LineOutput Microsoft.PowerShell.Commands.Internal.Format.WriteLineHelper Microsoft.PowerShell.Commands.Internal.Format.TextWriterLineOutput Microsoft.PowerShell.Commands.Internal.Format.StreamingTextWriter Microsoft.PowerShell.Commands.Internal.Format.ListWriter Microsoft.PowerShell.Commands.Internal.Format.OutputManagerInner Microsoft.PowerShell.Commands.Internal.Format.SubPipelineManager Microsoft.PowerShell.Commands.Internal.Format.OutputGroupQueue Microsoft.PowerShell.Commands.Internal.Format.FormattedObjectsCache Microsoft.PowerShell.Commands.Internal.Format.TableWriter Microsoft.PowerShell.Commands.Internal.Format.PSObjectHelper Microsoft.PowerShell.Commands.Internal.Format.FormattingError Microsoft.PowerShell.Commands.Internal.Format.PSPropertyExpressionError Microsoft.PowerShell.Commands.Internal.Format.StringFormatError Microsoft.PowerShell.Commands.Internal.Format.CreateScriptBlockFromString Microsoft.PowerShell.Commands.Internal.Format.PSPropertyExpressionFactory Microsoft.PowerShell.Commands.Internal.Format.MshParameter Microsoft.PowerShell.Commands.Internal.Format.NameEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.HashtableEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.CommandParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.ParameterProcessor Microsoft.PowerShell.Commands.Internal.Format.MshResolvedExpressionParameterAssociation Microsoft.PowerShell.Commands.Internal.Format.AssociationManager Microsoft.PowerShell.Commands.Internal.Format.DisplayCellsHost Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput Microsoft.PowerShell.Cim.CimInstanceAdapter Microsoft.PowerShell.Cmdletization.EnumWriter Microsoft.PowerShell.Cmdletization.MethodInvocationInfo Microsoft.PowerShell.Cmdletization.MethodParameterBindings Microsoft.PowerShell.Cmdletization.MethodParameter Microsoft.PowerShell.Cmdletization.MethodParametersCollection Microsoft.PowerShell.Cmdletization.CmdletAdapter`1[TObjectInstance] Microsoft.PowerShell.Cmdletization.BehaviorOnNoMatch Microsoft.PowerShell.Cmdletization.QueryBuilder Microsoft.PowerShell.Cmdletization.ScriptWriter Microsoft.PowerShell.Cmdletization.Xml.PowerShellMetadata Microsoft.PowerShell.Cmdletization.Xml.ClassMetadata Microsoft.PowerShell.Cmdletization.Xml.ClassMetadataInstanceCmdlets Microsoft.PowerShell.Cmdletization.Xml.GetCmdletParameters Microsoft.PowerShell.Cmdletization.Xml.PropertyMetadata Microsoft.PowerShell.Cmdletization.Xml.TypeMetadata Microsoft.PowerShell.Cmdletization.Xml.Association Microsoft.PowerShell.Cmdletization.Xml.AssociationAssociatedInstance Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForGetCmdletFilteringParameter Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForGetCmdletParameter Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateCount Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateLength Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateRange Microsoft.PowerShell.Cmdletization.Xml.ObsoleteAttributeMetadata Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForInstanceMethodParameter Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForStaticMethodParameter Microsoft.PowerShell.Cmdletization.Xml.QueryOption Microsoft.PowerShell.Cmdletization.Xml.GetCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.ConfirmImpact Microsoft.PowerShell.Cmdletization.Xml.StaticCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.StaticCmdletMetadataCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.StaticMethodMetadata Microsoft.PowerShell.Cmdletization.Xml.StaticMethodParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.CmdletOutputMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonMethodParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.InstanceMethodParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonMethodMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonMethodMetadataReturnValue Microsoft.PowerShell.Cmdletization.Xml.InstanceMethodMetadata Microsoft.PowerShell.Cmdletization.Xml.InstanceCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.PropertyQuery Microsoft.PowerShell.Cmdletization.Xml.WildcardablePropertyQuery Microsoft.PowerShell.Cmdletization.Xml.ItemsChoiceType Microsoft.PowerShell.Cmdletization.Xml.ClassMetadataData Microsoft.PowerShell.Cmdletization.Xml.EnumMetadataEnum Microsoft.PowerShell.Cmdletization.Xml.EnumMetadataEnumValue Microsoft.PowerShell.Cmdletization.Xml.XmlSerializationReader1 Microsoft.PowerShell.Cmdletization.Xml.PowerShellMetadataSerializer Microsoft.PowerShell.Cmdletization.Cim.WildcardPatternToCimQueryParser Interop+Windows System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0+RunnerFactory System.Management.Automation.PowerShellAssemblyLoadContext+<>O System.Management.Automation.Platform+CommonEnvVariableNames System.Management.Automation.Platform+Unix System.Management.Automation.Platform+<>c System.Management.Automation.AsyncByteStreamTransfer+d__11 System.Management.Automation.ValidateRangeAttribute+d__19 System.Management.Automation.ValidateSetAttribute+<>c System.Management.Automation.NativeCommandProcessorBytePipe+d__3 System.Management.Automation.Cmdlet+<>c System.Management.Automation.Cmdlet+d__40 System.Management.Automation.Cmdlet+d__41`1[T] System.Management.Automation.CmdletParameterBinderController+CurrentlyBinding System.Management.Automation.CmdletParameterBinderController+DelayedScriptBlockArgument System.Management.Automation.CmdletParameterBinderController+<>c System.Management.Automation.CompletionAnalysis+AstAnalysisContext System.Management.Automation.CompletionAnalysis+<>c System.Management.Automation.CompletionAnalysis+<>c__DisplayClass13_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass19_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass22_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass34_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass36_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass39_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass42_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass42_1 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass43_0 System.Management.Automation.CompletionCompleters+FindFunctionsVisitor System.Management.Automation.CompletionCompleters+ArgumentLocation System.Management.Automation.CompletionCompleters+SHARE_INFO_1 System.Management.Automation.CompletionCompleters+VariableInfo System.Management.Automation.CompletionCompleters+FindVariablesVisitor System.Management.Automation.CompletionCompleters+TypeCompletionBase System.Management.Automation.CompletionCompleters+TypeCompletionInStringFormat System.Management.Automation.CompletionCompleters+GenericTypeCompletionInStringFormat System.Management.Automation.CompletionCompleters+TypeCompletion System.Management.Automation.CompletionCompleters+GenericTypeCompletion System.Management.Automation.CompletionCompleters+NamespaceCompletion System.Management.Automation.CompletionCompleters+TypeCompletionMapping System.Management.Automation.CompletionCompleters+ItemPathComparer System.Management.Automation.CompletionCompleters+CommandNameComparer System.Management.Automation.CompletionCompleters+<>O System.Management.Automation.CompletionCompleters+<>c System.Management.Automation.CompletionCompleters+<>c__DisplayClass109_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass122_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass136_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass139_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass13_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass141_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass142_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass144_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass145_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass145_1 System.Management.Automation.CompletionCompleters+<>c__DisplayClass147_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass15_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass20_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass20_1 System.Management.Automation.CompletionCompleters+<>c__DisplayClass22_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass34_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass40_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass5_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass5_1 System.Management.Automation.CompletionCompleters+<>c__DisplayClass63_0 System.Management.Automation.CompletionCompleters+<>o__10 System.Management.Automation.CompletionCompleters+<>o__45 System.Management.Automation.CompletionCompleters+<>o__46 System.Management.Automation.CompletionCompleters+<>o__47 System.Management.Automation.CompletionCompleters+<>o__49 System.Management.Automation.CompletionCompleters+<>o__50 System.Management.Automation.CompletionCompleters+<>o__51 System.Management.Automation.CompletionCompleters+<>o__52 System.Management.Automation.CompletionCompleters+<>o__53 System.Management.Automation.CompletionCompleters+<>o__54 System.Management.Automation.CompletionCompleters+<>o__55 System.Management.Automation.CompletionCompleters+<>o__75 System.Management.Automation.CompletionCompleters+<>o__76 System.Management.Automation.CompletionCompleters+<>o__88 System.Management.Automation.CompletionCompleters+d__23 System.Management.Automation.PropertyNameCompleter+<>O System.Management.Automation.PropertyNameCompleter+<>c System.Management.Automation.ArgumentCompleterAttribute+<>c System.Management.Automation.ArgumentCompletionsAttribute+d__2 System.Management.Automation.ScopeArgumentCompleter+d__1 System.Management.Automation.CommandDiscovery+d__52 System.Management.Automation.CommandInfo+GetMergedCommandParameterMetadataSafelyEventArgs System.Management.Automation.PSSyntheticTypeName+<>c System.Management.Automation.CommandParameterInternal+Parameter System.Management.Automation.CommandParameterInternal+Argument System.Management.Automation.CommandPathSearch+<>O System.Management.Automation.CommandProcessor+<>c System.Management.Automation.CommandSearcher+CanDoPathLookupResult System.Management.Automation.CommandSearcher+SearchState System.Management.Automation.CompiledCommandParameter+d__78 System.Management.Automation.ParameterCollectionTypeInformation+<>c System.Management.Automation.ComAdapter+d__3 System.Management.Automation.ComInvoker+EXCEPINFO System.Management.Automation.ComInvoker+Variant System.Management.Automation.ComInvoker+<>c System.Management.Automation.Adapter+OverloadCandidate System.Management.Automation.Adapter+<>O System.Management.Automation.Adapter+<>c System.Management.Automation.Adapter+<>c__DisplayClass54_0 System.Management.Automation.Adapter+d__2 System.Management.Automation.MethodInformation+MethodInvoker System.Management.Automation.DotNetAdapter+MethodCacheEntry System.Management.Automation.DotNetAdapter+EventCacheEntry System.Management.Automation.DotNetAdapter+ParameterizedPropertyCacheEntry System.Management.Automation.DotNetAdapter+PropertyCacheEntry System.Management.Automation.DotNetAdapter+<>c System.Management.Automation.DotNetAdapter+d__29 System.Management.Automation.DotNetAdapterWithComTypeName+d__2 System.Management.Automation.PSMemberSetAdapter+d__0 System.Management.Automation.XmlNodeAdapter+d__0 System.Management.Automation.TypeInference+<>c System.Management.Automation.TypeInference+<>c__DisplayClass6_0 System.Management.Automation.TypeInference+<>c__DisplayClass6_1 System.Management.Automation.Breakpoint+BreakpointAction System.Management.Automation.LineBreakpoint+CheckBreakpointInScript System.Management.Automation.ScriptDebugger+CallStackInfo System.Management.Automation.ScriptDebugger+CallStackList System.Management.Automation.ScriptDebugger+SteppingMode System.Management.Automation.ScriptDebugger+InternalDebugMode System.Management.Automation.ScriptDebugger+EnableNestedType System.Management.Automation.ScriptDebugger+<>c System.Management.Automation.ScriptDebugger+<>c__DisplayClass103_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass19_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass26_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass35_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass38_0 System.Management.Automation.ScriptDebugger+d__106 System.Management.Automation.EmbeddedRunspaceDebugger+<>c__DisplayClass10_0 System.Management.Automation.EmbeddedRunspaceDebugger+<>c__DisplayClass10_1 System.Management.Automation.DscResourceSearcher+<>o__15 System.Management.Automation.FlagsExpression`1+TokenKind[T] System.Management.Automation.FlagsExpression`1+Token[T] System.Management.Automation.FlagsExpression`1+Node[T] System.Management.Automation.FlagsExpression`1+OrNode[T] System.Management.Automation.FlagsExpression`1+AndNode[T] System.Management.Automation.FlagsExpression`1+NotNode[T] System.Management.Automation.FlagsExpression`1+OperandNode[T] System.Management.Automation.ErrorRecord+<>c System.Management.Automation.PSLocalEventManager+<>c__DisplayClass32_0 System.Management.Automation.ExecutionContext+SavedContextData System.Management.Automation.ExecutionContext+<>c System.Management.Automation.ExperimentalFeature+<>c System.Management.Automation.InformationalRecord+<>c System.Management.Automation.PowerShell+Worker System.Management.Automation.InvocationInfo+<>c System.Management.Automation.RemoteCommandInfo+<>c__DisplayClass4_0 System.Management.Automation.LanguagePrimitives+MemberNotFoundError System.Management.Automation.LanguagePrimitives+MemberSetValueError System.Management.Automation.LanguagePrimitives+EnumerableTWrapper System.Management.Automation.LanguagePrimitives+GetEnumerableDelegate System.Management.Automation.LanguagePrimitives+TypeCodeTraits System.Management.Automation.LanguagePrimitives+EnumMultipleTypeConverter System.Management.Automation.LanguagePrimitives+EnumSingleTypeConverter System.Management.Automation.LanguagePrimitives+PSMethodToDelegateConverter System.Management.Automation.LanguagePrimitives+ConvertViaParseMethod System.Management.Automation.LanguagePrimitives+ConvertViaConstructor System.Management.Automation.LanguagePrimitives+ConvertViaIEnumerableConstructor System.Management.Automation.LanguagePrimitives+ConvertViaNoArgumentConstructor System.Management.Automation.LanguagePrimitives+ConvertViaCast System.Management.Automation.LanguagePrimitives+ConvertCheckingForCustomConverter System.Management.Automation.LanguagePrimitives+ConversionTypePair System.Management.Automation.LanguagePrimitives+PSConverter`1[T] System.Management.Automation.LanguagePrimitives+PSNullConverter System.Management.Automation.LanguagePrimitives+IConversionData System.Management.Automation.LanguagePrimitives+ConversionData`1[T] System.Management.Automation.LanguagePrimitives+SignatureComparator System.Management.Automation.LanguagePrimitives+InternalPSCustomObject System.Management.Automation.LanguagePrimitives+InternalPSObject System.Management.Automation.LanguagePrimitives+Null System.Management.Automation.LanguagePrimitives+<>O System.Management.Automation.ParserOps+SplitImplOptions System.Management.Automation.ParserOps+ReplaceOperatorImpl System.Management.Automation.ParserOps+CompareDelegate System.Management.Automation.ParserOps+<>c System.Management.Automation.ParserOps+d__17 System.Management.Automation.ScriptBlock+ErrorHandlingBehavior System.Management.Automation.ScriptBlock+SuspiciousContentChecker System.Management.Automation.ScriptBlock+<>c System.Management.Automation.BaseWMIAdapter+WMIMethodCacheEntry System.Management.Automation.BaseWMIAdapter+WMIParameterInformation System.Management.Automation.BaseWMIAdapter+d__3 System.Management.Automation.BaseWMIAdapter+d__2 System.Management.Automation.MinishellParameterBinderController+MinishellParameters System.Management.Automation.AnalysisCache+<>c System.Management.Automation.AnalysisCacheData+<b__11_0>d System.Management.Automation.AnalysisCacheData+<>c__DisplayClass24_0 System.Management.Automation.ModuleIntrinsics+PSModulePathScope System.Management.Automation.ModuleIntrinsics+<>c System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass59_0`1[T] System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass60_0 System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass60_1 System.Management.Automation.ModuleIntrinsics+d__57 System.Management.Automation.PSModuleInfo+<>c System.Management.Automation.PSModuleInfo+<>c__DisplayClass277_0 System.Management.Automation.RemoteDiscoveryHelper+CimFileCode System.Management.Automation.RemoteDiscoveryHelper+CimModuleFile System.Management.Automation.RemoteDiscoveryHelper+CimModule System.Management.Automation.RemoteDiscoveryHelper+<>c System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass14_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass23_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass24_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass2_0`1[T] System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_1 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_2 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_3 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_4 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_5 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_6 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass5_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass6_0 System.Management.Automation.RemoteDiscoveryHelper+d__12`1[T] System.Management.Automation.RemoteDiscoveryHelper+d__23 System.Management.Automation.RemoteDiscoveryHelper+d__5 System.Management.Automation.RemoteDiscoveryHelper+d__4 System.Management.Automation.ExportVisitor+ParameterBindingInfo System.Management.Automation.ExportVisitor+ParameterInfo System.Management.Automation.ExportVisitor+<>c__DisplayClass44_0 System.Management.Automation.CommandInvocationIntrinsics+d__34 System.Management.Automation.MshCommandRuntime+ShouldProcessPossibleOptimization System.Management.Automation.MshCommandRuntime+MergeDataStream System.Management.Automation.MshCommandRuntime+AllowWrite System.Management.Automation.MshCommandRuntime+ContinueStatus System.Management.Automation.PSMemberSet+<>O System.Management.Automation.CollectionEntry`1+GetMembersDelegate[T] System.Management.Automation.CollectionEntry`1+GetMemberDelegate[T] System.Management.Automation.CollectionEntry`1+GetFirstOrDefaultDelegate[T] System.Management.Automation.PSMemberInfoIntegratingCollection`1+Enumerator[T] System.Management.Automation.PSObject+AdapterSet System.Management.Automation.PSObject+PSDynamicMetaObject System.Management.Automation.PSObject+PSObjectFlags System.Management.Automation.PSObject+<>O System.Management.Automation.PSObject+<>c System.Management.Automation.PSObject+<>c__DisplayClass102_0 System.Management.Automation.PSObject+<>c__DisplayClass15_0 System.Management.Automation.PSObject+<>c__DisplayClass18_0 System.Management.Automation.NativeCommandProcessor+ProcessWithParentId System.Management.Automation.NativeCommandProcessor+d__39 System.Management.Automation.CommandParameterSetInfo+<>c__DisplayClass11_0 System.Management.Automation.TypeInferenceContext+<>c System.Management.Automation.TypeInferenceContext+<>c__DisplayClass23_0 System.Management.Automation.TypeInferenceContext+<>c__DisplayClass24_0 System.Management.Automation.TypeInferenceVisitor+<>c System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass62_0 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass65_0 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass65_1 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass76_0 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass9_0 System.Management.Automation.TypeInferenceVisitor+d__81 System.Management.Automation.TypeInferenceVisitor+d__80 System.Management.Automation.CoreTypes+<>c System.Management.Automation.PSVersionHashTable+PSVersionTableComparer System.Management.Automation.PSVersionHashTable+d__5 System.Management.Automation.SemanticVersion+ParseFailureKind System.Management.Automation.SemanticVersion+VersionResult System.Management.Automation.ReflectionParameterBinder+<>c System.Management.Automation.ReflectionParameterBinder+<>c__DisplayClass7_0 System.Management.Automation.ReflectionParameterBinder+<>c__DisplayClass8_0 System.Management.Automation.WildcardPattern+<>c System.Management.Automation.WildcardPattern+<>c__DisplayClass17_0 System.Management.Automation.WildcardPatternMatcher+PatternPositionsVisitor System.Management.Automation.WildcardPatternMatcher+PatternElement System.Management.Automation.WildcardPatternMatcher+QuestionMarkElement System.Management.Automation.WildcardPatternMatcher+LiteralCharacterElement System.Management.Automation.WildcardPatternMatcher+BracketExpressionElement System.Management.Automation.WildcardPatternMatcher+AsterixElement System.Management.Automation.WildcardPatternMatcher+MyWildcardPatternParser System.Management.Automation.WildcardPatternMatcher+CharacterNormalizer System.Management.Automation.Job+<>c__DisplayClass83_0 System.Management.Automation.Job+<>c__DisplayClass92_0 System.Management.Automation.Job+<>c__DisplayClass93_0 System.Management.Automation.Job+<>c__DisplayClass94_0 System.Management.Automation.Job+<>c__DisplayClass95_0 System.Management.Automation.Job+<>c__DisplayClass96_0`1[T] System.Management.Automation.PSRemotingJob+ConnectJobOperation System.Management.Automation.PSRemotingJob+<>c__DisplayClass12_0 System.Management.Automation.ContainerParentJob+<>c System.Management.Automation.ContainerParentJob+<>c__DisplayClass38_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass40_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass41_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass41_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass42_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass42_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass51_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass51_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass52_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass52_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass53_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass53_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass54_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass54_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass55_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass55_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass56_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass56_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass66_0 System.Management.Automation.JobManager+FilterType System.Management.Automation.JobInvocationInfo+<>c System.Management.Automation.RemotePipeline+ExecutionEventQueueItem System.Management.Automation.RemoteRunspace+RunspaceEventQueueItem System.Management.Automation.RemoteDebugger+<>c__DisplayClass22_0 System.Management.Automation.ThrottlingJob+ChildJobFlags System.Management.Automation.ThrottlingJob+ForwardingHelper System.Management.Automation.ThrottlingJob+<>c System.Management.Automation.RemotingEncoder+ValueGetterDelegate`1[T] System.Management.Automation.RemotingDecoder+d__4`2[TKey,TValue] System.Management.Automation.RemotingDecoder+d__3`1[T] System.Management.Automation.ServerPowerShellDriver+<>c__DisplayClass11_0 System.Management.Automation.ServerPowerShellDriver+<>c__DisplayClass33_0 System.Management.Automation.ServerRunspacePoolDriver+PreProcessCommandResult System.Management.Automation.ServerRunspacePoolDriver+DebuggerCommandArgument System.Management.Automation.ServerRunspacePoolDriver+PowerShellDriverInvoker System.Management.Automation.ServerRunspacePoolDriver+<>c System.Management.Automation.ServerRemoteDebugger+ThreadCommandProcessing System.Management.Automation.CompiledScriptBlockData+<>c System.Management.Automation.CompiledScriptBlockData+<>c__DisplayClass7_0 System.Management.Automation.MutableTuple+<>c System.Management.Automation.MutableTuple+d__28 System.Management.Automation.MutableTuple+d__27 System.Management.Automation.PipelineOps+<>c System.Management.Automation.PipelineOps+d__1 System.Management.Automation.ExceptionHandlingOps+CatchAll System.Management.Automation.ExceptionHandlingOps+HandlerSearchResult System.Management.Automation.TypeOps+<>c__DisplayClass0_0 System.Management.Automation.EnumerableOps+NonEnumerableObjectEnumerator System.Management.Automation.EnumerableOps+<>o__1 System.Management.Automation.EnumerableOps+<>o__6 System.Management.Automation.MemberInvocationLoggingOps+<>c System.Management.Automation.DecimalOps+<>O System.Management.Automation.StringOps+<>c System.Management.Automation.VariableOps+UsingResult System.Management.Automation.UsingExpressionAstSearcher+<>c System.Management.Automation.InternalSerializer+<>c System.Management.Automation.InternalDeserializer+PSDictionary System.Management.Automation.InternalDeserializer+<>c System.Management.Automation.WeakReferenceDictionary`1+WeakReferenceEqualityComparer[T] System.Management.Automation.WeakReferenceDictionary`1+d__30[T] System.Management.Automation.SessionStateInternal+d__68 System.Management.Automation.SessionStateInternal+d__222 System.Management.Automation.SessionStateScope+<>O System.Management.Automation.SessionStateScope+<>c__DisplayClass97_0 System.Management.Automation.SessionStateScope+d__95 System.Management.Automation.ParameterSetMetadata+ParameterFlags System.Management.Automation.Utils+MutexInitializer System.Management.Automation.Utils+EmptyReadOnlyCollectionHolder`1[T] System.Management.Automation.Utils+Separators System.Management.Automation.Utils+<>O System.Management.Automation.Utils+<>c System.Management.Automation.Utils+<>c__DisplayClass61_0`1[T] System.Management.Automation.Utils+<>c__DisplayClass81_0 System.Management.Automation.PSStyle+ForegroundColor System.Management.Automation.PSStyle+BackgroundColor System.Management.Automation.PSStyle+ProgressConfiguration System.Management.Automation.PSStyle+FormattingData System.Management.Automation.PSStyle+FileInfoFormatting System.Management.Automation.AliasHelpProvider+d__8 System.Management.Automation.AliasHelpProvider+d__9 System.Management.Automation.CommandHelpProvider+d__12 System.Management.Automation.CommandHelpProvider+d__30 System.Management.Automation.CommandHelpProvider+d__26 System.Management.Automation.DscResourceHelpProvider+d__9 System.Management.Automation.DscResourceHelpProvider+d__10 System.Management.Automation.DscResourceHelpProvider+d__8 System.Management.Automation.HelpCommentsParser+<>c System.Management.Automation.HelpErrorTracer+TraceFrame System.Management.Automation.HelpFileHelpProvider+<>c System.Management.Automation.HelpFileHelpProvider+d__5 System.Management.Automation.HelpFileHelpProvider+d__7 System.Management.Automation.HelpProvider+d__10 System.Management.Automation.HelpProviderWithCache+d__11 System.Management.Automation.HelpProviderWithCache+d__2 System.Management.Automation.HelpProviderWithCache+d__9 System.Management.Automation.HelpSystem+d__20 System.Management.Automation.HelpSystem+d__21 System.Management.Automation.HelpSystem+d__22 System.Management.Automation.HelpSystem+d__24 System.Management.Automation.ProviderHelpProvider+d__6 System.Management.Automation.ProviderHelpProvider+d__11 System.Management.Automation.ProviderHelpProvider+d__10 System.Management.Automation.PSClassHelpProvider+d__9 System.Management.Automation.PSClassHelpProvider+d__10 System.Management.Automation.PSClassHelpProvider+d__8 System.Management.Automation.LogProvider+Strings System.Management.Automation.MshLog+<>O System.Management.Automation.MshLog+<>c__DisplayClass19_0 System.Management.Automation.MshLog+<>c__DisplayClass20_0 System.Management.Automation.MshLog+<>c__DisplayClass9_0 System.Management.Automation.CatalogHelper+<>O System.Management.Automation.AmsiUtils+AmsiNativeMethods System.Management.Automation.AmsiUtils+<>O System.Management.Automation.PSSnapInReader+DefaultPSSnapInInformation System.Management.Automation.ClrFacade+d__3 System.Management.Automation.EnumerableExtensions+d__0`1[T] System.Management.Automation.PSTypeExtensions+<>c__7`1[T] System.Management.Automation.ParseException+<>c System.Management.Automation.PlatformInvokes+FILETIME System.Management.Automation.PlatformInvokes+FileDesiredAccess System.Management.Automation.PlatformInvokes+FileShareMode System.Management.Automation.PlatformInvokes+FileCreationDisposition System.Management.Automation.PlatformInvokes+FileAttributes System.Management.Automation.PlatformInvokes+SecurityAttributes System.Management.Automation.PlatformInvokes+SafeLocalMemHandle System.Management.Automation.PlatformInvokes+TOKEN_PRIVILEGE System.Management.Automation.PlatformInvokes+LUID System.Management.Automation.PlatformInvokes+LUID_AND_ATTRIBUTES System.Management.Automation.PlatformInvokes+PRIVILEGE_SET System.Management.Automation.PlatformInvokes+PROCESS_INFORMATION System.Management.Automation.PlatformInvokes+STARTUPINFO System.Management.Automation.PlatformInvokes+SECURITY_ATTRIBUTES System.Management.Automation.Verbs+VerbArgumentCompleter System.Management.Automation.Verbs+d__4 System.Management.Automation.Verbs+d__5 System.Management.Automation.Verbs+d__6 System.Management.Automation.VTUtility+VT System.Management.Automation.Tracing.EtwActivity+CorrelatedCallback System.Management.Automation.Tracing.PSEtwLog+<>c__DisplayClass6_0 System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ATTR_BLOB System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ALGORITHM_IDENTIFIER System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ATTRIBUTE_TYPE_VALUE System.Management.Automation.Win32Native.WinTrustMethods+SIP_INDIRECT_DATA System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATMEMBER System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATATTRIBUTE System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATSTORE System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_DATA System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_FILE_INFO System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_BLOB_INFO System.Management.Automation.Win32Native.WinTrustMethods+CryptCATCDFParseErrorCallBack System.Management.Automation.Security.NativeMethods+CertEnumSystemStoreCallBackProto System.Management.Automation.Security.NativeMethods+CertFindType System.Management.Automation.Security.NativeMethods+CertStoreFlags System.Management.Automation.Security.NativeMethods+CertOpenStoreFlags System.Management.Automation.Security.NativeMethods+CertOpenStoreProvider System.Management.Automation.Security.NativeMethods+CertOpenStoreEncodingType System.Management.Automation.Security.NativeMethods+CertControlStoreType System.Management.Automation.Security.NativeMethods+AddCertificateContext System.Management.Automation.Security.NativeMethods+CertPropertyId System.Management.Automation.Security.NativeMethods+NCryptDeletKeyFlag System.Management.Automation.Security.NativeMethods+ProviderFlagsEnum System.Management.Automation.Security.NativeMethods+ProviderParam System.Management.Automation.Security.NativeMethods+PROV System.Management.Automation.Security.NativeMethods+CRYPT_KEY_PROV_INFO System.Management.Automation.Security.NativeMethods+CryptUIFlags System.Management.Automation.Security.NativeMethods+CRYPTUI_WIZ_DIGITAL_SIGN_INFO System.Management.Automation.Security.NativeMethods+SignInfoSubjectChoice System.Management.Automation.Security.NativeMethods+SignInfoCertChoice System.Management.Automation.Security.NativeMethods+SignInfoAdditionalCertChoice System.Management.Automation.Security.NativeMethods+CRYPTUI_WIZ_DIGITAL_SIGN_EXTENDED_INFO System.Management.Automation.Security.NativeMethods+CRYPT_OID_INFO System.Management.Automation.Security.NativeMethods+Anonymous_a3ae7823_8a1d_432c_bc07_a72b6fc6c7d8 System.Management.Automation.Security.NativeMethods+CRYPT_ATTR_BLOB System.Management.Automation.Security.NativeMethods+CRYPT_DATA_BLOB System.Management.Automation.Security.NativeMethods+CERT_CONTEXT System.Management.Automation.Security.NativeMethods+CRYPT_PROVIDER_CERT System.Management.Automation.Security.NativeMethods+CRYPT_PROVIDER_SGNR System.Management.Automation.Security.NativeMethods+CERT_ENHKEY_USAGE System.Management.Automation.Security.NativeMethods+SIGNATURE_STATE System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_FLAGS System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_AVAILABILITY System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_TYPE System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO System.Management.Automation.Security.NativeMethods+CERT_INFO System.Management.Automation.Security.NativeMethods+CRYPT_ALGORITHM_IDENTIFIER System.Management.Automation.Security.NativeMethods+FILETIME System.Management.Automation.Security.NativeMethods+CERT_PUBLIC_KEY_INFO System.Management.Automation.Security.NativeMethods+CRYPT_BIT_BLOB System.Management.Automation.Security.NativeMethods+CERT_EXTENSION System.Management.Automation.Security.NativeMethods+AltNameType System.Management.Automation.Security.NativeMethods+CryptDecodeFlags System.Management.Automation.Security.NativeMethods+SeObjectType System.Management.Automation.Security.NativeMethods+SecurityInformation System.Management.Automation.Security.NativeMethods+LUID System.Management.Automation.Security.NativeMethods+LUID_AND_ATTRIBUTES System.Management.Automation.Security.NativeMethods+TOKEN_PRIVILEGE System.Management.Automation.Security.NativeMethods+ACL System.Management.Automation.Security.NativeMethods+ACE_HEADER System.Management.Automation.Security.NativeMethods+SYSTEM_AUDIT_ACE System.Management.Automation.Security.NativeMethods+LSA_UNICODE_STRING System.Management.Automation.Security.NativeMethods+CENTRAL_ACCESS_POLICY System.Management.Automation.Security.SystemPolicy+WldpNativeConstants System.Management.Automation.Security.SystemPolicy+WLDP_HOST_ID System.Management.Automation.Security.SystemPolicy+WLDP_HOST_INFORMATION System.Management.Automation.Security.SystemPolicy+WLDP_EXECUTION_EVALUATION_OPTIONS System.Management.Automation.Security.SystemPolicy+WLDP_EXECUTION_POLICY System.Management.Automation.Security.SystemPolicy+WldpNativeMethods System.Management.Automation.Help.DefaultCommandHelpObjectBuilder+<>c System.Management.Automation.Help.CultureSpecificUpdatableHelp+<>c__DisplayClass10_0 System.Management.Automation.Help.CultureSpecificUpdatableHelp+d__9 System.Management.Automation.Help.UpdatableHelpInfo+<>c__DisplayClass11_0 System.Management.Automation.Subsystem.SubsystemInfo+ImplementationInfo System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass1_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass2_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass3_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass4_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass5_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+d__1 System.Management.Automation.Subsystem.Feedback.FeedbackHub+<>c__DisplayClass7_0 System.Management.Automation.Remoting.ClientMethodExecutor+<>c__DisplayClass10_0 System.Management.Automation.Remoting.ClientRemoteSession+URIDirectionReported System.Management.Automation.Remoting.SerializedDataStream+OnDataAvailableCallback System.Management.Automation.Remoting.NamedPipeNative+SECURITY_ATTRIBUTES System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>O System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>c System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>c__DisplayClass52_0 System.Management.Automation.Remoting.ConfigTypeEntry+TypeValidationCallback System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c__DisplayClass22_0`1[T] System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c__DisplayClass22_1`1[T] System.Management.Automation.Remoting.OutOfProcessUtils+DataPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+DataAckPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+CommandCreationPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+CommandCreationAckReceived System.Management.Automation.Remoting.OutOfProcessUtils+ClosePacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+CloseAckPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+SignalPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+SignalAckPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+DataProcessingDelegates System.Management.Automation.Remoting.PrioritySendDataCollection+OnDataAvailableCallback System.Management.Automation.Remoting.ReceiveDataCollection+OnDataAvailableCallback System.Management.Automation.Remoting.WSManPluginEntryDelegates+WSManPluginEntryDelegatesInternal System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper+InitPluginDelegate System.Management.Automation.Remoting.ServerRemoteSession+<>c__DisplayClass32_0 System.Management.Automation.Remoting.Server.AbstractServerTransportManager+<>c__DisplayClass14_0 System.Management.Automation.Remoting.Client.BaseClientTransportManager+CallbackNotificationInformation System.Management.Automation.Remoting.Client.WSManNativeApi+MarshalledObject System.Management.Automation.Remoting.Client.WSManNativeApi+WSManAuthenticationMechanism System.Management.Automation.Remoting.Client.WSManNativeApi+BaseWSManAuthenticationCredentials System.Management.Automation.Remoting.Client.WSManNativeApi+WSManUserNameAuthenticationCredentials System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateThumbprintCredentials System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSessionOption System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellFlag System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataType System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManBinaryOrTextDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManData_ManToUn System.Management.Automation.Remoting.Client.WSManNativeApi+WSManData_UnToMan System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataDWord System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSetStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSet_ManToUn System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSet_UnToMan System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOption System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOptionSetStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOptionSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCommandArgSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellDisconnectInfo System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfoStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfo_ManToUn System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfo_UnToMan System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManProxyInfo System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCallbackFlags System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellCompletionFunction System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsyncCallback System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsync System.Management.Automation.Remoting.Client.WSManNativeApi+WSManError System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult System.Management.Automation.Remoting.Client.WSManNativeApi+WSManPluginRequest System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSenderDetails System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateDetails System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManFlagReceive System.Management.Automation.Remoting.Client.WSManTransportManagerUtils+tmStartModes System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+CompletionNotification System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+CompletionEventArgs System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+WSManAPIDataCommon System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+<>c System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+<>c__DisplayClass98_0 System.Management.Automation.Remoting.Client.WSManClientCommandTransportManager+SendDataChunk System.Management.Automation.Interpreter.AddInstruction+AddInt32 System.Management.Automation.Interpreter.AddInstruction+AddInt16 System.Management.Automation.Interpreter.AddInstruction+AddInt64 System.Management.Automation.Interpreter.AddInstruction+AddUInt16 System.Management.Automation.Interpreter.AddInstruction+AddUInt32 System.Management.Automation.Interpreter.AddInstruction+AddUInt64 System.Management.Automation.Interpreter.AddInstruction+AddSingle System.Management.Automation.Interpreter.AddInstruction+AddDouble System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt32 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt16 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt64 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt16 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt32 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt64 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfSingle System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfDouble System.Management.Automation.Interpreter.DivInstruction+DivInt32 System.Management.Automation.Interpreter.DivInstruction+DivInt16 System.Management.Automation.Interpreter.DivInstruction+DivInt64 System.Management.Automation.Interpreter.DivInstruction+DivUInt16 System.Management.Automation.Interpreter.DivInstruction+DivUInt32 System.Management.Automation.Interpreter.DivInstruction+DivUInt64 System.Management.Automation.Interpreter.DivInstruction+DivSingle System.Management.Automation.Interpreter.DivInstruction+DivDouble System.Management.Automation.Interpreter.EqualInstruction+EqualBoolean System.Management.Automation.Interpreter.EqualInstruction+EqualSByte System.Management.Automation.Interpreter.EqualInstruction+EqualInt16 System.Management.Automation.Interpreter.EqualInstruction+EqualChar System.Management.Automation.Interpreter.EqualInstruction+EqualInt32 System.Management.Automation.Interpreter.EqualInstruction+EqualInt64 System.Management.Automation.Interpreter.EqualInstruction+EqualByte System.Management.Automation.Interpreter.EqualInstruction+EqualUInt16 System.Management.Automation.Interpreter.EqualInstruction+EqualUInt32 System.Management.Automation.Interpreter.EqualInstruction+EqualUInt64 System.Management.Automation.Interpreter.EqualInstruction+EqualSingle System.Management.Automation.Interpreter.EqualInstruction+EqualDouble System.Management.Automation.Interpreter.EqualInstruction+EqualReference System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanSByte System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt16 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanChar System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt32 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt64 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanByte System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt16 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt32 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt64 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanSingle System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanDouble System.Management.Automation.Interpreter.InstructionFactory+<>c System.Management.Automation.Interpreter.InstructionArray+DebugView System.Management.Automation.Interpreter.InstructionList+DebugView System.Management.Automation.Interpreter.InterpretedFrame+d__30 System.Management.Automation.Interpreter.InterpretedFrame+d__29 System.Management.Automation.Interpreter.LabelInfo+<>c System.Management.Automation.Interpreter.LessThanInstruction+LessThanSByte System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt16 System.Management.Automation.Interpreter.LessThanInstruction+LessThanChar System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt32 System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt64 System.Management.Automation.Interpreter.LessThanInstruction+LessThanByte System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt16 System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt32 System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt64 System.Management.Automation.Interpreter.LessThanInstruction+LessThanSingle System.Management.Automation.Interpreter.LessThanInstruction+LessThanDouble System.Management.Automation.Interpreter.TryCatchFinallyHandler+<>c__DisplayClass13_0 System.Management.Automation.Interpreter.DebugInfo+DebugInfoComparer System.Management.Automation.Interpreter.LightCompiler+<>c System.Management.Automation.Interpreter.LightDelegateCreator+<>c System.Management.Automation.Interpreter.LightLambda+<>c__DisplayClass11_0 System.Management.Automation.Interpreter.LightLambdaClosureVisitor+MergedRuntimeVariables System.Management.Automation.Interpreter.LightLambdaClosureVisitor+<>O System.Management.Automation.Interpreter.InitializeLocalInstruction+Reference System.Management.Automation.Interpreter.InitializeLocalInstruction+ImmutableValue System.Management.Automation.Interpreter.InitializeLocalInstruction+ImmutableBox System.Management.Automation.Interpreter.InitializeLocalInstruction+ParameterBox System.Management.Automation.Interpreter.InitializeLocalInstruction+Parameter System.Management.Automation.Interpreter.InitializeLocalInstruction+MutableValue System.Management.Automation.Interpreter.InitializeLocalInstruction+MutableBox System.Management.Automation.Interpreter.LocalVariables+VariableScope System.Management.Automation.Interpreter.LoopCompiler+LoopVariable System.Management.Automation.Interpreter.MulInstruction+MulInt32 System.Management.Automation.Interpreter.MulInstruction+MulInt16 System.Management.Automation.Interpreter.MulInstruction+MulInt64 System.Management.Automation.Interpreter.MulInstruction+MulUInt16 System.Management.Automation.Interpreter.MulInstruction+MulUInt32 System.Management.Automation.Interpreter.MulInstruction+MulUInt64 System.Management.Automation.Interpreter.MulInstruction+MulSingle System.Management.Automation.Interpreter.MulInstruction+MulDouble System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt32 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt16 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt64 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt16 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt32 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt64 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfSingle System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfDouble System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualBoolean System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualSByte System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt16 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualChar System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt32 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt64 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualByte System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt16 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt32 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt64 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualSingle System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualDouble System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualReference System.Management.Automation.Interpreter.NumericConvertInstruction+Unchecked System.Management.Automation.Interpreter.NumericConvertInstruction+Checked System.Management.Automation.Interpreter.SubInstruction+SubInt32 System.Management.Automation.Interpreter.SubInstruction+SubInt16 System.Management.Automation.Interpreter.SubInstruction+SubInt64 System.Management.Automation.Interpreter.SubInstruction+SubUInt16 System.Management.Automation.Interpreter.SubInstruction+SubUInt32 System.Management.Automation.Interpreter.SubInstruction+SubUInt64 System.Management.Automation.Interpreter.SubInstruction+SubSingle System.Management.Automation.Interpreter.SubInstruction+SubDouble System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt32 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt16 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt64 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt16 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt32 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt64 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfSingle System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfDouble System.Management.Automation.Interpreter.DelegateHelpers+<>c System.Management.Automation.Interpreter.HybridReferenceDictionary`2+d__12[TKey,TValue] System.Management.Automation.Interpreter.CacheDict`2+KeyInfo[TKey,TValue] System.Management.Automation.Interpreter.ThreadLocal`1+StorageInfo[T] System.Management.Automation.Host.PSHostUserInterface+FormatStyle System.Management.Automation.Host.PSHostUserInterface+TranscribeOnlyCookie System.Management.Automation.Host.PSHostUserInterface+<>c System.Management.Automation.Host.PSHostUserInterface+<>c__DisplayClass45_0 System.Management.Automation.Runspaces.Command+MergeType System.Management.Automation.Runspaces.RunspaceBase+RunspaceEventQueueItem System.Management.Automation.Runspaces.RunspaceBase+<>c System.Management.Automation.Runspaces.LocalRunspace+DebugPreference System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass55_0 System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass56_0 System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass56_1 System.Management.Automation.Runspaces.PipelineBase+ExecutionEventQueueItem System.Management.Automation.Runspaces.EarlyStartup+<>c System.Management.Automation.Runspaces.InitialSessionState+<>c System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass0_0`1[T] System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass129_0 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass129_1 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass137_0 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass154_0 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass1_0`1[T] System.Management.Automation.Runspaces.InitialSessionState+d__147 System.Management.Automation.Runspaces.PSSnapInHelpers+<>c System.Management.Automation.Runspaces.ContainerProcess+HCS_PROCESS_INFORMATION System.Management.Automation.Runspaces.TypesPs1xmlReader+<>c System.Management.Automation.Runspaces.TypesPs1xmlReader+d__20 System.Management.Automation.Runspaces.ConsolidatedString+ConsolidatedStringEqualityComparer System.Management.Automation.Runspaces.TypeTable+<>c System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass59_0 System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass61_0`1[T] System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass90_0 System.Management.Automation.Runspaces.FormatTable+<>c__DisplayClass10_0 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__24 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__68 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__35 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__36 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__37 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__34 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__33 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__38 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__42 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__39 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__53 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__40 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__41 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__43 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__44 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__45 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__47 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__48 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__49 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__62 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__60 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__61 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__59 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__51 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__52 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__50 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__27 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__54 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__64 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__63 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__32 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__65 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__31 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__55 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__56 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__46 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__57 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__58 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__29 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__20 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__21 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__16 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__25 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__67 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__17 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__23 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__26 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__30 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__28 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__66 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__22 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__18 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__69 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__19 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__16 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__17 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__24 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__25 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__19 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__20 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__22 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__23 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__21 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__18 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__42 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__40 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__39 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__33 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__21 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__50 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__59 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__44 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__20 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__53 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__43 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__45 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__57 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__56 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__55 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__58 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__51 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__54 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__52 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__47 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__19 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__41 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__23 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__35 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__31 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__49 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__16 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__18 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__24 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__17 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__30 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__34 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__38 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__25 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__48 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__60 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__65 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__63 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__64 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__61 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__62 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__22 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__37 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__36 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__29 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__28 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__26 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__27 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__32 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Registry_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Registry_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.FormatAndTypeDataHelper+Category System.Management.Automation.Runspaces.PipelineReader`1+d__20[T] System.Management.Automation.Language.PseudoParameterBinder+BindingType System.Management.Automation.Language.ScriptBlockAst+<>c System.Management.Automation.Language.ScriptBlockAst+<>c__DisplayClass64_0 System.Management.Automation.Language.ScriptBlockAst+d__68 System.Management.Automation.Language.ScriptBlockAst+d__67 System.Management.Automation.Language.ParamBlockAst+<>c System.Management.Automation.Language.FunctionDefinitionAst+<>c System.Management.Automation.Language.DataStatementAst+<>c System.Management.Automation.Language.AssignmentStatementAst+d__14 System.Management.Automation.Language.ConfigurationDefinitionAst+<>c System.Management.Automation.Language.ConfigurationDefinitionAst+<>c__DisplayClass29_0 System.Management.Automation.Language.GenericTypeName+<>c System.Management.Automation.Language.AstSearcher+<>c System.Management.Automation.Language.Compiler+DefaultValueExpressionWrapper System.Management.Automation.Language.Compiler+LoopGotoTargets System.Management.Automation.Language.Compiler+CaptureAstContext System.Management.Automation.Language.Compiler+MergeRedirectExprs System.Management.Automation.Language.Compiler+AutomaticVarSaver System.Management.Automation.Language.Compiler+<>O System.Management.Automation.Language.Compiler+<>c System.Management.Automation.Language.Compiler+<>c__DisplayClass173_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass188_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass188_1 System.Management.Automation.Language.Compiler+<>c__DisplayClass189_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass194_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass195_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass200_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass201_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass205_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass205_1 System.Management.Automation.Language.Compiler+<>c__DisplayClass238_0 System.Management.Automation.Language.Compiler+d__234 System.Management.Automation.Language.InvokeMemberAssignableValue+<>c System.Management.Automation.Language.Parser+CommandArgumentContext System.Management.Automation.Language.Parser+<>c System.Management.Automation.Language.Parser+<>c__DisplayClass19_0 System.Management.Automation.Language.Parser+d__62 System.Management.Automation.Language.TypeDefiner+DefineTypeHelper System.Management.Automation.Language.TypeDefiner+DefineEnumHelper System.Management.Automation.Language.TypeDefiner+d__16 System.Management.Automation.Language.GetSafeValueVisitor+SafeValueContext System.Management.Automation.Language.GetSafeValueVisitor+<>c__DisplayClass47_0 System.Management.Automation.Language.SemanticChecks+<>c System.Management.Automation.Language.SemanticChecks+<>c__DisplayClass37_0 System.Management.Automation.Language.SemanticChecks+<>c__DisplayClass38_0 System.Management.Automation.Language.SemanticChecks+d__22 System.Management.Automation.Language.RestrictedLanguageChecker+<>c__DisplayClass43_0 System.Management.Automation.Language.SymbolTable+<>c System.Management.Automation.Language.SymbolResolver+<>c System.Management.Automation.Language.DynamicKeywordExtension+<>c__DisplayClass3_0 System.Management.Automation.Language.Tokenizer+<>O System.Management.Automation.Language.Tokenizer+<>c System.Management.Automation.Language.Tokenizer+<>c__DisplayClass140_0 System.Management.Automation.Language.Tokenizer+<>c__DisplayClass141_0 System.Management.Automation.Language.TypeResolver+AmbiguousTypeException System.Management.Automation.Language.TypeCache+KeyComparer System.Management.Automation.Language.FindAllVariablesVisitor+<>c System.Management.Automation.Language.VariableAnalysis+LoopGotoTargets System.Management.Automation.Language.VariableAnalysis+Block System.Management.Automation.Language.VariableAnalysis+AssignmentTarget System.Management.Automation.Language.VariableAnalysis+<>O System.Management.Automation.Language.VariableAnalysis+<>c System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass47_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass51_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass54_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass55_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass58_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass58_1 System.Management.Automation.Language.VariableAnalysis+d__65 System.Management.Automation.Language.DynamicMetaObjectBinderExtensions+<>c System.Management.Automation.Language.PSEnumerableBinder+<>O System.Management.Automation.Language.PSEnumerableBinder+<>c System.Management.Automation.Language.PSEnumerableBinder+<>c__DisplayClass7_0 System.Management.Automation.Language.PSToObjectArrayBinder+<>c System.Management.Automation.Language.PSPipeWriterBinder+<>O System.Management.Automation.Language.PSInvokeDynamicMemberBinder+KeyComparer System.Management.Automation.Language.PSAttributeGenerator+<>c System.Management.Automation.Language.PSVariableAssignmentBinder+<>O System.Management.Automation.Language.PSBinaryOperationBinder+<>O System.Management.Automation.Language.PSBinaryOperationBinder+<>c System.Management.Automation.Language.PSConvertBinder+<>O System.Management.Automation.Language.PSGetIndexBinder+<>c System.Management.Automation.Language.PSGetIndexBinder+<>c__DisplayClass15_0 System.Management.Automation.Language.PSGetIndexBinder+<>c__DisplayClass17_0 System.Management.Automation.Language.PSSetIndexBinder+<>c System.Management.Automation.Language.PSSetIndexBinder+<>c__DisplayClass9_0 System.Management.Automation.Language.PSGetMemberBinder+KeyComparer System.Management.Automation.Language.PSGetMemberBinder+ReservedMemberBinder System.Management.Automation.Language.PSGetMemberBinder+<>c System.Management.Automation.Language.PSSetMemberBinder+KeyComparer System.Management.Automation.Language.PSInvokeMemberBinder+MethodInvocationType System.Management.Automation.Language.PSInvokeMemberBinder+KeyComparer System.Management.Automation.Language.PSInvokeMemberBinder+<>c System.Management.Automation.Language.PSInvokeMemberBinder+<>c__DisplayClass18_0 System.Management.Automation.Language.PSInvokeMemberBinder+<>c__DisplayClass18_1 System.Management.Automation.Language.PSCreateInstanceBinder+KeyComparer System.Management.Automation.Language.PSCreateInstanceBinder+<>c System.Management.Automation.Language.PSInvokeBaseCtorBinder+KeyComparer System.Management.Automation.Language.PSInvokeBaseCtorBinder+<>c System.Management.Automation.InteropServices.ComEventsSink+<>c__DisplayClass2_0 System.Management.Automation.InteropServices.ComEventsMethod+DelegateWrapper System.Management.Automation.InteropServices.Variant+TypeUnion System.Management.Automation.InteropServices.Variant+Record System.Management.Automation.InteropServices.Variant+UnionTypes System.Management.Automation.ComInterop.ComBinder+ComGetMemberBinder System.Management.Automation.ComInterop.ComBinder+ComInvokeMemberBinder System.Management.Automation.ComInterop.ComBinder+<>c System.Management.Automation.ComInterop.SplatCallSite+InvokeDelegate System.Management.Automation.Internal.CommonParameters+ValidateVariableName System.Management.Automation.Internal.ModuleUtils+<>c System.Management.Automation.Internal.ModuleUtils+d__9 System.Management.Automation.Internal.ModuleUtils+d__11 System.Management.Automation.Internal.ModuleUtils+d__13 System.Management.Automation.Internal.ModuleUtils+d__19 System.Management.Automation.Internal.ModuleUtils+d__20 System.Management.Automation.Internal.PipelineProcessor+PipelineExecutionStatus System.Management.Automation.Internal.ClientPowerShellDataStructureHandler+connectionStates System.Management.Automation.Internal.ClassOps+<>O System.Management.Automation.Internal.ClassOps+<>c System.Management.Automation.Internal.CabinetNativeApi+FdiAllocDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiFreeDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiOpenDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiReadDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiWriteDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiCloseDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiSeekDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiNotifyDelegate System.Management.Automation.Internal.CabinetNativeApi+PermissionMode System.Management.Automation.Internal.CabinetNativeApi+OpFlags System.Management.Automation.Internal.CabinetNativeApi+FdiCreateCpuType System.Management.Automation.Internal.CabinetNativeApi+FdiNotification System.Management.Automation.Internal.CabinetNativeApi+FdiNotificationType System.Management.Automation.Internal.CabinetNativeApi+FdiERF System.Management.Automation.Internal.CabinetNativeApi+FdiContextHandle System.Management.Automation.Internal.AlternateDataStreamUtilities+NativeMethods System.Management.Automation.Internal.AlternateDataStreamUtilities+SafeFindHandle System.Management.Automation.Internal.AlternateDataStreamUtilities+AlternateStreamNativeData System.Management.Automation.Internal.CopyFileRemoteUtils+d__27 System.Management.Automation.Internal.CopyFileRemoteUtils+d__25 System.Management.Automation.Internal.Host.InternalHost+PromptContextData Microsoft.PowerShell.DeserializingTypeConverter+RehydrationFlags Microsoft.PowerShell.CAPI+CRYPTOAPI_BLOB Microsoft.PowerShell.PSAuthorizationManager+RunPromptDecision Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry+<>c Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>O Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass40_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass43_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass46_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass64_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass83_0 Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter+<>c Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+<>O Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+d__6 Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+d__7 Microsoft.PowerShell.Commands.GetCommandCommand+CommandInfoComparer Microsoft.PowerShell.Commands.GetCommandCommand+<>c Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass60_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass78_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass80_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass80_1 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass83_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass91_0 Microsoft.PowerShell.Commands.GetCommandCommand+d__91 Microsoft.PowerShell.Commands.NounArgumentCompleter+<>c Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass115_0 Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass116_0 Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass120_0 Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass120_1 Microsoft.PowerShell.Commands.SetStrictModeCommand+ArgumentToPSVersionTransformationAttribute Microsoft.PowerShell.Commands.SetStrictModeCommand+ValidateVersionAttribute Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter+d__1 Microsoft.PowerShell.Commands.GetModuleCommand+<>c Microsoft.PowerShell.Commands.GetModuleCommand+<>c__DisplayClass50_0 Microsoft.PowerShell.Commands.GetModuleCommand+d__66 Microsoft.PowerShell.Commands.GetModuleCommand+d__47 Microsoft.PowerShell.Commands.GetModuleCommand+d__67 Microsoft.PowerShell.Commands.PSEditionArgumentCompleter+d__0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>O Microsoft.PowerShell.Commands.ImportModuleCommand+<>c Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass114_0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass121_0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass130_0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass130_1 Microsoft.PowerShell.Commands.ModuleCmdletBase+ManifestProcessingFlags Microsoft.PowerShell.Commands.ModuleCmdletBase+ImportModuleOptions Microsoft.PowerShell.Commands.ModuleCmdletBase+ModuleLoggingGroupPolicyStatus Microsoft.PowerShell.Commands.ModuleCmdletBase+<>c Microsoft.PowerShell.Commands.ModuleCmdletBase+<>c__DisplayClass157_0 Microsoft.PowerShell.Commands.ModuleCmdletBase+d__104 Microsoft.PowerShell.Commands.ModuleCmdletBase+d__95 Microsoft.PowerShell.Commands.ModuleCmdletBase+d__98 Microsoft.PowerShell.Commands.NewModuleManifestCommand+<>c__DisplayClass172_0 Microsoft.PowerShell.Commands.NewModuleManifestCommand+<>c__DisplayClass174_0 Microsoft.PowerShell.Commands.NewModuleManifestCommand+d__165 Microsoft.PowerShell.Commands.RemoveModuleCommand+<>c Microsoft.PowerShell.Commands.TestModuleManifestCommand+<>c Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation Microsoft.PowerShell.Commands.ConnectPSSessionCommand+OverrideParameter Microsoft.PowerShell.Commands.ConnectPSSessionCommand+<>c__DisplayClass79_0 Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand+<>c Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand+<>c__DisplayClass12_0 Microsoft.PowerShell.Commands.DisconnectPSSessionCommand+DisconnectRunspaceOperation Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand+<>c__DisplayClass19_0 Microsoft.PowerShell.Commands.GetJobCommand+<>c Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass33_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_1 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_2 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_3 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass35_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass37_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass46_0 Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet+VMState Microsoft.PowerShell.Commands.PSExecutionCmdlet+<>c Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_2 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_2 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_2 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_2 Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_0 Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_1 Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_2 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass71_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass75_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass76_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass77_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass87_0 Microsoft.PowerShell.Commands.ReceivePSSessionCommand+<>c__DisplayClass84_0 Microsoft.PowerShell.Commands.StopJobCommand+<>c Microsoft.PowerShell.Commands.WaitJobCommand+<>c Microsoft.PowerShell.Commands.GetHelpCommand+HelpView Microsoft.PowerShell.Commands.GetHelpCodeMethods+<>c Microsoft.PowerShell.Commands.UpdatableHelpCommandBase+d__46 Microsoft.PowerShell.Commands.UpdatableHelpCommandBase+d__45 Microsoft.PowerShell.Commands.FileSystemContentReaderWriter+<>c Microsoft.PowerShell.Commands.FileSystemContentReaderWriter+<>c__DisplayClass36_0 Microsoft.PowerShell.Commands.FileStreamBackReader+NativeMethods Microsoft.PowerShell.Commands.FileSystemProvider+ItemType Microsoft.PowerShell.Commands.FileSystemProvider+InodeTracker Microsoft.PowerShell.Commands.FileSystemProvider+<>c Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass41_0 Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass53_0 Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass55_0 Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass63_0 Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+REPARSE_DATA_BUFFER_SYMBOLICLINK Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+REPARSE_DATA_BUFFER_MOUNTPOINT Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+BY_HANDLE_FILE_INFORMATION Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+FILE_TIME Microsoft.PowerShell.Commands.SessionStateProviderBase+<>c Microsoft.PowerShell.Commands.Internal.Win32Native+TOKEN_INFORMATION_CLASS Microsoft.PowerShell.Commands.Internal.Win32Native+SID_NAME_USE Microsoft.PowerShell.Commands.Internal.Win32Native+SID_AND_ATTRIBUTES Microsoft.PowerShell.Commands.Internal.Win32Native+TOKEN_USER Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+OuterCmdletCallback Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+InputObjectCallback Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+WriteObjectCallback Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommandBase+FormattingContextState Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommand+GroupTransition Microsoft.PowerShell.Commands.Internal.Format.ComplexSpecificParameters+ClassInfoDisplay Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormattingState Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+PreprocessingState Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormattingHint Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableFormattingHint Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideFormattingHint Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormatOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+GroupOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableOutputContextBase Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+ListOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+ComplexOutputContext Microsoft.PowerShell.Commands.Internal.Format.IndentationManager+IndentationStackFrame Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper+SplitLinesAccumulator Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper+d__5 Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+LoadingResult Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyBindingStatus Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyLoadResult Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyNameResolver Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager+TypeGenerator Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager+<>O Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+XmlTags Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+XMLStringValues Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ExpressionNodeMatch Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ViewEntryNodeMatch Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ComplexControlMatch Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLoggerEntry+EntryType Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderBase+XmlLoaderStackFrame Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatContextCreationCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatStartCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatEndCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+GroupStartCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+GroupEndCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+PayloadCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+OutputContext Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataClassFactory+<>c Microsoft.PowerShell.Commands.Internal.Format.ViewGenerator+DataBaseInfo Microsoft.PowerShell.Commands.Internal.Format.LineOutput+DoPlayBackCall Microsoft.PowerShell.Commands.Internal.Format.WriteLineHelper+WriteCallback Microsoft.PowerShell.Commands.Internal.Format.StreamingTextWriter+WriteLineCallback Microsoft.PowerShell.Commands.Internal.Format.SubPipelineManager+CommandEntry Microsoft.PowerShell.Commands.Internal.Format.FormattedObjectsCache+ProcessCachedGroupNotification Microsoft.PowerShell.Commands.Internal.Format.TableWriter+ColumnInfo Microsoft.PowerShell.Commands.Internal.Format.TableWriter+ScreenInfo Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput+PromptHandler Microsoft.PowerShell.Cmdletization.ScriptWriter+GenerationOptions Microsoft.PowerShell.Cmdletization.ScriptWriter+<>c +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=11 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=14 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=20 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=46 +__StaticArrayInitTypeSize=56 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=204 +__StaticArrayInitTypeSize=252 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=684 Interop+Windows+FileDesiredAccess Interop+Windows+FileAttributes Interop+Windows+SymbolicLinkFlags Interop+Windows+ActivityControl Interop+Windows+FILE_TIME Interop+Windows+WIN32_FIND_DATA Interop+Windows+SafeFindHandle Interop+Windows+PROCESS_BASIC_INFORMATION Interop+Windows+SHFILEINFO Interop+Windows+NETRESOURCEW System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0+RunnerFactory+Runner System.Management.Automation.Platform+Unix+ItemType System.Management.Automation.Platform+Unix+StatMask System.Management.Automation.Platform+Unix+CommonStat System.Management.Automation.Platform+Unix+NativeMethods System.Management.Automation.ComInvoker+Variant+TypeUnion System.Management.Automation.ComInvoker+Variant+Record System.Management.Automation.ComInvoker+Variant+UnionTypes System.Management.Automation.DotNetAdapter+PropertyCacheEntry+GetterDelegate System.Management.Automation.DotNetAdapter+PropertyCacheEntry+SetterDelegate System.Management.Automation.LanguagePrimitives+EnumSingleTypeConverter+EnumHashEntry System.Management.Automation.LanguagePrimitives+ConvertViaNoArgumentConstructor+<>O System.Management.Automation.LanguagePrimitives+SignatureComparator+TypeMatchingContext System.Management.Automation.ParserOps+ReplaceOperatorImpl+<>c__DisplayClass5_0 System.Management.Automation.RemoteDiscoveryHelper+CimModule+DiscoveredModuleType System.Management.Automation.RemoteDiscoveryHelper+CimModule+CimModuleManifestFile System.Management.Automation.RemoteDiscoveryHelper+CimModule+CimModuleImplementationFile System.Management.Automation.RemoteDiscoveryHelper+CimModule+<>c System.Management.Automation.PSObject+PSDynamicMetaObject+<>c System.Management.Automation.ThrottlingJob+ForwardingHelper+<>c__DisplayClass24_0 System.Management.Automation.ServerRunspacePoolDriver+PowerShellDriverInvoker+InvokePump System.Management.Automation.PSStyle+FileInfoFormatting+FileExtensionDictionary System.Management.Automation.AmsiUtils+AmsiNativeMethods+AMSI_RESULT System.Management.Automation.Verbs+VerbArgumentCompleter+<>c System.Management.Automation.Verbs+VerbArgumentCompleter+d__0 System.Management.Automation.Remoting.Client.WSManNativeApi+WSManUserNameAuthenticationCredentials+WSManUserNameCredentialStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateThumbprintCredentials+WSManThumbprintStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataDWord+WSManDWordDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCommandArgSet+WSManCommandArgSetInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellDisconnectInfo+WSManShellDisconnectInfoInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet+WSManEnvironmentVariableSetInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet+WSManEnvironmentVariableInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManProxyInfo+WSManProxyInfoInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsync+WSManShellAsyncInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManCreateShellDataResultInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManTextDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManConnectDataResultInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManTextDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManReceiveDataResultInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManBinaryDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManPluginRequest+WSManPluginRequestInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSenderDetails+WSManSenderDetailsInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateDetails+WSManCertificateDetailsInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManOperationInfoInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManFragmentInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManFilterInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet+WSManSelectorSetStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet+WSManKeyStruct System.Management.Automation.Interpreter.InstructionList+DebugView+InstructionView System.Management.Automation.Language.Compiler+AutomaticVarSaver+d__5 System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c__DisplayClass25_0 System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c__DisplayClass26_0 System.Management.Automation.Language.TypeDefiner+DefineEnumHelper+<>c System.Management.Automation.Language.TypeDefiner+DefineEnumHelper+<>o__6 System.Management.Automation.Internal.AlternateDataStreamUtilities+NativeMethods+StreamInfoLevels Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation+<>c__DisplayClass17_0 Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation+<>c__DisplayClass18_0 Microsoft.PowerShell.Commands.DisconnectPSSessionCommand+DisconnectRunspaceOperation+<>c__DisplayClass12_0 Microsoft.PowerShell.Commands.FileStreamBackReader+NativeMethods+CPINFO Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideOutputContext+StringValuesBuffer Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput+PromptHandler+PromptResponse Interop+Windows+WIN32_FIND_DATA+e__FixedBuffer Interop+Windows+WIN32_FIND_DATA+e__FixedBuffer Interop+Windows+SHFILEINFO+e__FixedBuffer Interop+Windows+SHFILEINFO+e__FixedBuffer System.Management.Automation.Platform+Unix+NativeMethods+UnixTm System.Management.Automation.Platform+Unix+NativeMethods+CommonStatStruct", + "IsCollectible": false, + "ManifestModule": "System.Management.Automation.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Management.Automation.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "System.Management.Automation.PowerShellAssemblyLoadContextInitializer System.Management.Automation.PowerShellUnsafeAssemblyLoad System.Management.Automation.Platform System.Management.Automation.PSTransactionContext System.Management.Automation.RollbackSeverity System.Management.Automation.AliasInfo System.Management.Automation.ApplicationInfo System.Management.Automation.ValidateArgumentsAttribute System.Management.Automation.ValidateEnumeratedArgumentsAttribute System.Management.Automation.DSCResourceRunAsCredential System.Management.Automation.DscResourceAttribute System.Management.Automation.DscPropertyAttribute System.Management.Automation.DscLocalConfigurationManagerAttribute System.Management.Automation.CmdletCommonMetadataAttribute System.Management.Automation.CmdletAttribute System.Management.Automation.CmdletBindingAttribute System.Management.Automation.OutputTypeAttribute System.Management.Automation.DynamicClassImplementationAssemblyAttribute System.Management.Automation.AliasAttribute System.Management.Automation.ParameterAttribute System.Management.Automation.PSTypeNameAttribute System.Management.Automation.SupportsWildcardsAttribute System.Management.Automation.PSDefaultValueAttribute System.Management.Automation.HiddenAttribute System.Management.Automation.ValidateLengthAttribute System.Management.Automation.ValidateRangeKind System.Management.Automation.ValidateRangeAttribute System.Management.Automation.ValidatePatternAttribute System.Management.Automation.ValidateScriptAttribute System.Management.Automation.ValidateCountAttribute System.Management.Automation.CachedValidValuesGeneratorBase System.Management.Automation.ValidateSetAttribute System.Management.Automation.IValidateSetValuesGenerator System.Management.Automation.ValidateTrustedDataAttribute System.Management.Automation.AllowNullAttribute System.Management.Automation.AllowEmptyStringAttribute System.Management.Automation.AllowEmptyCollectionAttribute System.Management.Automation.ValidateDriveAttribute System.Management.Automation.ValidateUserDriveAttribute System.Management.Automation.NullValidationAttributeBase System.Management.Automation.ValidateNotNullAttribute System.Management.Automation.ValidateNotNullOrAttributeBase System.Management.Automation.ValidateNotNullOrEmptyAttribute System.Management.Automation.ValidateNotNullOrWhiteSpaceAttribute System.Management.Automation.ArgumentTransformationAttribute System.Management.Automation.ChildItemCmdletProviderIntrinsics System.Management.Automation.ReturnContainers System.Management.Automation.Cmdlet System.Management.Automation.ShouldProcessReason System.Management.Automation.ProviderIntrinsics System.Management.Automation.CmdletInfo System.Management.Automation.DefaultParameterDictionary System.Management.Automation.NativeArgumentPassingStyle System.Management.Automation.ErrorView System.Management.Automation.ActionPreference System.Management.Automation.ConfirmImpact System.Management.Automation.PSCmdlet System.Management.Automation.CommandCompletion System.Management.Automation.CompletionCompleters System.Management.Automation.CompletionResultType System.Management.Automation.CompletionResult System.Management.Automation.ArgumentCompleterAttribute System.Management.Automation.IArgumentCompleter System.Management.Automation.IArgumentCompleterFactory System.Management.Automation.ArgumentCompleterFactoryAttribute System.Management.Automation.RegisterArgumentCompleterCommand System.Management.Automation.ArgumentCompletionsAttribute System.Management.Automation.ScopeArgumentCompleter System.Management.Automation.CommandLookupEventArgs System.Management.Automation.PSModuleAutoLoadingPreference System.Management.Automation.CommandTypes System.Management.Automation.CommandInfo System.Management.Automation.PSTypeName System.Management.Automation.SessionCapabilities System.Management.Automation.CommandMetadata System.Management.Automation.ConfigurationInfo System.Management.Automation.ContentCmdletProviderIntrinsics System.Management.Automation.PSCredentialTypes System.Management.Automation.PSCredentialUIOptions System.Management.Automation.GetSymmetricEncryptionKey System.Management.Automation.PSCredential System.Management.Automation.PSDriveInfo System.Management.Automation.ProviderInfo System.Management.Automation.Breakpoint System.Management.Automation.CommandBreakpoint System.Management.Automation.VariableAccessMode System.Management.Automation.VariableBreakpoint System.Management.Automation.LineBreakpoint System.Management.Automation.DebuggerResumeAction System.Management.Automation.DebuggerStopEventArgs System.Management.Automation.BreakpointUpdateType System.Management.Automation.BreakpointUpdatedEventArgs System.Management.Automation.PSJobStartEventArgs System.Management.Automation.StartRunspaceDebugProcessingEventArgs System.Management.Automation.ProcessRunspaceDebugEndEventArgs System.Management.Automation.DebugModes System.Management.Automation.Debugger System.Management.Automation.DebuggerCommandResults System.Management.Automation.PSDebugContext System.Management.Automation.CallStackFrame System.Management.Automation.DriveManagementIntrinsics System.Management.Automation.ImplementedAsType System.Management.Automation.DscResourceInfo System.Management.Automation.DscResourcePropertyInfo System.Management.Automation.EngineIntrinsics System.Management.Automation.FlagsExpression`1[T] System.Management.Automation.ErrorCategory System.Management.Automation.ErrorCategoryInfo System.Management.Automation.ErrorDetails System.Management.Automation.ErrorRecord System.Management.Automation.IContainsErrorRecord System.Management.Automation.IResourceSupplier System.Management.Automation.PSEventManager System.Management.Automation.PSEngineEvent System.Management.Automation.PSEventSubscriber System.Management.Automation.PSEventHandler System.Management.Automation.ForwardedEventArgs System.Management.Automation.PSEventArgs System.Management.Automation.PSEventReceivedEventHandler System.Management.Automation.PSEventUnsubscribedEventArgs System.Management.Automation.PSEventUnsubscribedEventHandler System.Management.Automation.PSEventArgsCollection System.Management.Automation.PSEventJob System.Management.Automation.ExperimentalFeature System.Management.Automation.ExperimentAction System.Management.Automation.ExperimentalAttribute System.Management.Automation.ExtendedTypeSystemException System.Management.Automation.MethodException System.Management.Automation.MethodInvocationException System.Management.Automation.GetValueException System.Management.Automation.PropertyNotFoundException System.Management.Automation.GetValueInvocationException System.Management.Automation.SetValueException System.Management.Automation.SetValueInvocationException System.Management.Automation.PSInvalidCastException System.Management.Automation.ExternalScriptInfo System.Management.Automation.PSSnapInSpecification System.Management.Automation.FilterInfo System.Management.Automation.FunctionInfo System.Management.Automation.HostUtilities System.Management.Automation.InformationalRecord System.Management.Automation.WarningRecord System.Management.Automation.DebugRecord System.Management.Automation.VerboseRecord System.Management.Automation.PSListModifier System.Management.Automation.PSListModifier`1[T] System.Management.Automation.InvalidPowerShellStateException System.Management.Automation.PSInvocationState System.Management.Automation.RunspaceMode System.Management.Automation.PSInvocationStateInfo System.Management.Automation.PSInvocationStateChangedEventArgs System.Management.Automation.PSInvocationSettings System.Management.Automation.RemoteStreamOptions System.Management.Automation.PowerShell System.Management.Automation.PSDataStreams System.Management.Automation.PSCommand System.Management.Automation.DataAddedEventArgs System.Management.Automation.DataAddingEventArgs System.Management.Automation.PSDataCollection`1[T] System.Management.Automation.ICommandRuntime System.Management.Automation.ICommandRuntime2 System.Management.Automation.InformationRecord System.Management.Automation.HostInformationMessage System.Management.Automation.InvocationInfo System.Management.Automation.RemoteCommandInfo System.Management.Automation.ItemCmdletProviderIntrinsics System.Management.Automation.CopyContainers System.Management.Automation.PSTypeConverter System.Management.Automation.ConvertThroughString System.Management.Automation.LanguagePrimitives System.Management.Automation.PSParseError System.Management.Automation.PSParser System.Management.Automation.PSToken System.Management.Automation.PSTokenType System.Management.Automation.FlowControlException System.Management.Automation.LoopFlowException System.Management.Automation.BreakException System.Management.Automation.ContinueException System.Management.Automation.ExitException System.Management.Automation.TerminateException System.Management.Automation.SplitOptions System.Management.Automation.ScriptBlock System.Management.Automation.SteppablePipeline System.Management.Automation.ScriptBlockToPowerShellNotSupportedException System.Management.Automation.ModuleIntrinsics System.Management.Automation.IModuleAssemblyInitializer System.Management.Automation.IModuleAssemblyCleanup System.Management.Automation.PSModuleInfo System.Management.Automation.ModuleType System.Management.Automation.ModuleAccessMode System.Management.Automation.IDynamicParameters System.Management.Automation.SwitchParameter System.Management.Automation.CommandInvocationIntrinsics System.Management.Automation.PSMemberTypes System.Management.Automation.PSMemberViewTypes System.Management.Automation.PSMemberInfo System.Management.Automation.PSPropertyInfo System.Management.Automation.PSAliasProperty System.Management.Automation.PSCodeProperty System.Management.Automation.PSProperty System.Management.Automation.PSAdaptedProperty System.Management.Automation.PSNoteProperty System.Management.Automation.PSVariableProperty System.Management.Automation.PSScriptProperty System.Management.Automation.PSMethodInfo System.Management.Automation.PSCodeMethod System.Management.Automation.PSScriptMethod System.Management.Automation.PSMethod System.Management.Automation.PSParameterizedProperty System.Management.Automation.PSMemberSet System.Management.Automation.PSPropertySet System.Management.Automation.PSEvent System.Management.Automation.PSDynamicMember System.Management.Automation.MemberNamePredicate System.Management.Automation.PSMemberInfoCollection`1[T] System.Management.Automation.ReadOnlyPSMemberInfoCollection`1[T] System.Management.Automation.PSObject System.Management.Automation.PSCustomObject System.Management.Automation.SettingValueExceptionEventArgs System.Management.Automation.GettingValueExceptionEventArgs System.Management.Automation.PSObjectPropertyDescriptor System.Management.Automation.PSObjectTypeDescriptor System.Management.Automation.PSObjectTypeDescriptionProvider System.Management.Automation.PSReference System.Management.Automation.PSSecurityException System.Management.Automation.NativeCommandExitException System.Management.Automation.RemoteException System.Management.Automation.OrderedHashtable System.Management.Automation.CommandParameterInfo System.Management.Automation.CommandParameterSetInfo System.Management.Automation.TypeInferenceRuntimePermissions System.Management.Automation.PathIntrinsics System.Management.Automation.PowerShellStreamType System.Management.Automation.ProgressRecord System.Management.Automation.ProgressRecordType System.Management.Automation.PropertyCmdletProviderIntrinsics System.Management.Automation.CmdletProviderManagementIntrinsics System.Management.Automation.ProxyCommand System.Management.Automation.PSClassInfo System.Management.Automation.PSClassMemberInfo System.Management.Automation.RuntimeDefinedParameter System.Management.Automation.RuntimeDefinedParameterDictionary System.Management.Automation.PSVersionInfo System.Management.Automation.PSVersionHashTable System.Management.Automation.SemanticVersion System.Management.Automation.WildcardOptions System.Management.Automation.WildcardPattern System.Management.Automation.WildcardPatternException System.Management.Automation.JobState System.Management.Automation.InvalidJobStateException System.Management.Automation.JobStateInfo System.Management.Automation.JobStateEventArgs System.Management.Automation.JobIdentifier System.Management.Automation.IJobDebugger System.Management.Automation.Job System.Management.Automation.Job2 System.Management.Automation.JobThreadOptions System.Management.Automation.ContainerParentJob System.Management.Automation.JobFailedException System.Management.Automation.JobManager System.Management.Automation.JobDefinition System.Management.Automation.JobInvocationInfo System.Management.Automation.JobSourceAdapter System.Management.Automation.PowerShellStreams`2[TInput,TOutput] System.Management.Automation.Repository`1[T] System.Management.Automation.JobRepository System.Management.Automation.RunspaceRepository System.Management.Automation.RemotingCapability System.Management.Automation.RemotingBehavior System.Management.Automation.PSSessionTypeOption System.Management.Automation.PSTransportOption System.Management.Automation.RunspacePoolStateInfo System.Management.Automation.WhereOperatorSelectionMode System.Management.Automation.ScriptInfo System.Management.Automation.SecurityDescriptorCmdletProviderIntrinsics System.Management.Automation.CommandOrigin System.Management.Automation.AuthorizationManager System.Management.Automation.PSSerializer System.Management.Automation.PSPrimitiveDictionary System.Management.Automation.LocationChangedEventArgs System.Management.Automation.SessionState System.Management.Automation.SessionStateEntryVisibility System.Management.Automation.PSLanguageMode System.Management.Automation.PSVariable System.Management.Automation.ScopedItemOptions System.Management.Automation.PSPropertyAdapter System.Management.Automation.ParameterSetMetadata System.Management.Automation.ParameterMetadata System.Management.Automation.PagingParameters System.Management.Automation.PSVariableIntrinsics System.Management.Automation.VariablePath System.Management.Automation.ExtendedTypeDefinition System.Management.Automation.FormatViewDefinition System.Management.Automation.PSControl System.Management.Automation.PSControlGroupBy System.Management.Automation.DisplayEntry System.Management.Automation.EntrySelectedBy System.Management.Automation.Alignment System.Management.Automation.DisplayEntryValueType System.Management.Automation.CustomControl System.Management.Automation.CustomControlEntry System.Management.Automation.CustomItemBase System.Management.Automation.CustomItemExpression System.Management.Automation.CustomItemFrame System.Management.Automation.CustomItemNewline System.Management.Automation.CustomItemText System.Management.Automation.CustomEntryBuilder System.Management.Automation.CustomControlBuilder System.Management.Automation.ListControl System.Management.Automation.ListControlEntry System.Management.Automation.ListControlEntryItem System.Management.Automation.ListEntryBuilder System.Management.Automation.ListControlBuilder System.Management.Automation.TableControl System.Management.Automation.TableControlColumnHeader System.Management.Automation.TableControlColumn System.Management.Automation.TableControlRow System.Management.Automation.TableRowDefinitionBuilder System.Management.Automation.TableControlBuilder System.Management.Automation.WideControl System.Management.Automation.WideControlEntryItem System.Management.Automation.WideControlBuilder System.Management.Automation.OutputRendering System.Management.Automation.ProgressView System.Management.Automation.PSStyle System.Management.Automation.PathInfo System.Management.Automation.PathInfoStack System.Management.Automation.SigningOption System.Management.Automation.CatalogValidationStatus System.Management.Automation.CatalogInformation System.Management.Automation.CredentialAttribute System.Management.Automation.SignatureStatus System.Management.Automation.SignatureType System.Management.Automation.Signature System.Management.Automation.CmsMessageRecipient System.Management.Automation.ResolutionPurpose System.Management.Automation.PSSnapInInfo System.Management.Automation.CommandNotFoundException System.Management.Automation.ScriptRequiresException System.Management.Automation.ApplicationFailedException System.Management.Automation.ProviderCmdlet System.Management.Automation.CmdletInvocationException System.Management.Automation.CmdletProviderInvocationException System.Management.Automation.PipelineStoppedException System.Management.Automation.PipelineClosedException System.Management.Automation.ActionPreferenceStopException System.Management.Automation.ParentContainsErrorRecordException System.Management.Automation.RedirectedException System.Management.Automation.ScriptCallDepthException System.Management.Automation.PipelineDepthException System.Management.Automation.HaltCommandException System.Management.Automation.MetadataException System.Management.Automation.ValidationMetadataException System.Management.Automation.ArgumentTransformationMetadataException System.Management.Automation.ParsingMetadataException System.Management.Automation.PSArgumentException System.Management.Automation.PSArgumentNullException System.Management.Automation.PSArgumentOutOfRangeException System.Management.Automation.PSInvalidOperationException System.Management.Automation.PSNotImplementedException System.Management.Automation.PSNotSupportedException System.Management.Automation.PSObjectDisposedException System.Management.Automation.PSTraceSource System.Management.Automation.ParameterBindingException System.Management.Automation.ParseException System.Management.Automation.IncompleteParseException System.Management.Automation.RuntimeException System.Management.Automation.ProviderInvocationException System.Management.Automation.SessionStateCategory System.Management.Automation.SessionStateException System.Management.Automation.SessionStateUnauthorizedAccessException System.Management.Automation.ProviderNotFoundException System.Management.Automation.ProviderNameAmbiguousException System.Management.Automation.DriveNotFoundException System.Management.Automation.ItemNotFoundException System.Management.Automation.PSTraceSourceOptions System.Management.Automation.VerbsCommon System.Management.Automation.VerbsData System.Management.Automation.VerbsLifecycle System.Management.Automation.VerbsDiagnostic System.Management.Automation.VerbsCommunications System.Management.Automation.VerbsSecurity System.Management.Automation.VerbsOther System.Management.Automation.VerbInfo System.Management.Automation.VTUtility System.Management.Automation.Tracing.PowerShellTraceEvent System.Management.Automation.Tracing.PowerShellTraceChannel System.Management.Automation.Tracing.PowerShellTraceLevel System.Management.Automation.Tracing.PowerShellTraceOperationCode System.Management.Automation.Tracing.PowerShellTraceTask System.Management.Automation.Tracing.PowerShellTraceKeywords System.Management.Automation.Tracing.BaseChannelWriter System.Management.Automation.Tracing.NullWriter System.Management.Automation.Tracing.PowerShellChannelWriter System.Management.Automation.Tracing.PowerShellTraceSource System.Management.Automation.Tracing.PowerShellTraceSourceFactory System.Management.Automation.Tracing.EtwEvent System.Management.Automation.Tracing.CallbackNoParameter System.Management.Automation.Tracing.CallbackWithState System.Management.Automation.Tracing.CallbackWithStateAndArgs System.Management.Automation.Tracing.EtwEventArgs System.Management.Automation.Tracing.EtwActivity System.Management.Automation.Tracing.IEtwActivityReverter System.Management.Automation.Tracing.IEtwEventCorrelator System.Management.Automation.Tracing.EtwEventCorrelator System.Management.Automation.Tracing.Tracer System.Management.Automation.Security.SystemScriptFileEnforcement System.Management.Automation.Security.SystemEnforcementMode System.Management.Automation.Security.SystemPolicy System.Management.Automation.Provider.ContainerCmdletProvider System.Management.Automation.Provider.DriveCmdletProvider System.Management.Automation.Provider.IContentCmdletProvider System.Management.Automation.Provider.IContentReader System.Management.Automation.Provider.IContentWriter System.Management.Automation.Provider.IDynamicPropertyCmdletProvider System.Management.Automation.Provider.ISecurityDescriptorCmdletProvider System.Management.Automation.Provider.IPropertyCmdletProvider System.Management.Automation.Provider.ItemCmdletProvider System.Management.Automation.Provider.NavigationCmdletProvider System.Management.Automation.Provider.ICmdletProviderSupportsHelp System.Management.Automation.Provider.CmdletProvider System.Management.Automation.Provider.CmdletProviderAttribute System.Management.Automation.Provider.ProviderCapabilities System.Management.Automation.Subsystem.GetPSSubsystemCommand System.Management.Automation.Subsystem.SubsystemKind System.Management.Automation.Subsystem.ISubsystem System.Management.Automation.Subsystem.SubsystemInfo System.Management.Automation.Subsystem.SubsystemManager System.Management.Automation.Subsystem.Prediction.PredictionResult System.Management.Automation.Subsystem.Prediction.CommandPrediction System.Management.Automation.Subsystem.Prediction.ICommandPredictor System.Management.Automation.Subsystem.Prediction.PredictorFeedbackKind System.Management.Automation.Subsystem.Prediction.PredictionClientKind System.Management.Automation.Subsystem.Prediction.PredictionClient System.Management.Automation.Subsystem.Prediction.PredictionContext System.Management.Automation.Subsystem.Prediction.PredictiveSuggestion System.Management.Automation.Subsystem.Prediction.SuggestionPackage System.Management.Automation.Subsystem.Feedback.FeedbackResult System.Management.Automation.Subsystem.Feedback.FeedbackHub System.Management.Automation.Subsystem.Feedback.FeedbackTrigger System.Management.Automation.Subsystem.Feedback.FeedbackDisplayLayout System.Management.Automation.Subsystem.Feedback.FeedbackContext System.Management.Automation.Subsystem.Feedback.FeedbackItem System.Management.Automation.Subsystem.Feedback.IFeedbackProvider System.Management.Automation.Subsystem.DSC.ICrossPlatformDsc System.Management.Automation.Remoting.OriginInfo System.Management.Automation.Remoting.ProxyAccessType System.Management.Automation.Remoting.PSSessionOption System.Management.Automation.Remoting.CmdletMethodInvoker`1[T] System.Management.Automation.Remoting.RemoteSessionNamedPipeServer System.Management.Automation.Remoting.PSRemotingDataStructureException System.Management.Automation.Remoting.PSRemotingTransportException System.Management.Automation.Remoting.PSRemotingTransportRedirectException System.Management.Automation.Remoting.PSDirectException System.Management.Automation.Remoting.TransportMethodEnum System.Management.Automation.Remoting.TransportErrorOccuredEventArgs System.Management.Automation.Remoting.BaseTransportManager System.Management.Automation.Remoting.PSSessionConfiguration System.Management.Automation.Remoting.SessionType System.Management.Automation.Remoting.PSSenderInfo System.Management.Automation.Remoting.PSPrincipal System.Management.Automation.Remoting.PSIdentity System.Management.Automation.Remoting.PSCertificateDetails System.Management.Automation.Remoting.PSSessionConfigurationData System.Management.Automation.Remoting.WSManPluginManagedEntryWrapper System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper System.Management.Automation.Remoting.WSMan.WSManServerChannelEvents System.Management.Automation.Remoting.WSMan.ActiveSessionsChangedEventArgs System.Management.Automation.Remoting.Client.BaseClientTransportManager System.Management.Automation.Remoting.Client.BaseClientSessionTransportManager System.Management.Automation.Remoting.Client.ClientSessionTransportManagerBase System.Management.Automation.Remoting.Internal.PSStreamObjectType System.Management.Automation.Remoting.Internal.PSStreamObject System.Management.Automation.Configuration.ConfigScope System.Management.Automation.PSTasks.PSTaskJob System.Management.Automation.Host.ChoiceDescription System.Management.Automation.Host.FieldDescription System.Management.Automation.Host.PSHost System.Management.Automation.Host.IHostSupportsInteractiveSession System.Management.Automation.Host.Coordinates System.Management.Automation.Host.Size System.Management.Automation.Host.ReadKeyOptions System.Management.Automation.Host.ControlKeyStates System.Management.Automation.Host.KeyInfo System.Management.Automation.Host.Rectangle System.Management.Automation.Host.BufferCell System.Management.Automation.Host.BufferCellType System.Management.Automation.Host.PSHostRawUserInterface System.Management.Automation.Host.PSHostUserInterface System.Management.Automation.Host.IHostUISupportsMultipleChoiceSelection System.Management.Automation.Host.HostException System.Management.Automation.Host.PromptingException System.Management.Automation.Runspaces.Command System.Management.Automation.Runspaces.PipelineResultTypes System.Management.Automation.Runspaces.CommandCollection System.Management.Automation.Runspaces.InvalidRunspaceStateException System.Management.Automation.Runspaces.RunspaceState System.Management.Automation.Runspaces.PSThreadOptions System.Management.Automation.Runspaces.RunspaceStateInfo System.Management.Automation.Runspaces.RunspaceStateEventArgs System.Management.Automation.Runspaces.RunspaceAvailability System.Management.Automation.Runspaces.RunspaceAvailabilityEventArgs System.Management.Automation.Runspaces.RunspaceCapability System.Management.Automation.Runspaces.Runspace System.Management.Automation.Runspaces.SessionStateProxy System.Management.Automation.Runspaces.RunspaceFactory System.Management.Automation.Runspaces.RunspaceOpenModuleLoadException System.Management.Automation.Runspaces.CommandParameter System.Management.Automation.Runspaces.CommandParameterCollection System.Management.Automation.Runspaces.InvalidPipelineStateException System.Management.Automation.Runspaces.PipelineState System.Management.Automation.Runspaces.PipelineStateInfo System.Management.Automation.Runspaces.PipelineStateEventArgs System.Management.Automation.Runspaces.Pipeline System.Management.Automation.Runspaces.PowerShellProcessInstance System.Management.Automation.Runspaces.InvalidRunspacePoolStateException System.Management.Automation.Runspaces.RunspacePoolState System.Management.Automation.Runspaces.RunspacePoolStateChangedEventArgs System.Management.Automation.Runspaces.RunspacePoolAvailability System.Management.Automation.Runspaces.RunspacePoolCapability System.Management.Automation.Runspaces.RunspacePool System.Management.Automation.Runspaces.InitialSessionStateEntry System.Management.Automation.Runspaces.ConstrainedSessionStateEntry System.Management.Automation.Runspaces.SessionStateCommandEntry System.Management.Automation.Runspaces.SessionStateTypeEntry System.Management.Automation.Runspaces.SessionStateFormatEntry System.Management.Automation.Runspaces.SessionStateAssemblyEntry System.Management.Automation.Runspaces.SessionStateCmdletEntry System.Management.Automation.Runspaces.SessionStateProviderEntry System.Management.Automation.Runspaces.SessionStateScriptEntry System.Management.Automation.Runspaces.SessionStateAliasEntry System.Management.Automation.Runspaces.SessionStateApplicationEntry System.Management.Automation.Runspaces.SessionStateFunctionEntry System.Management.Automation.Runspaces.SessionStateVariableEntry System.Management.Automation.Runspaces.InitialSessionStateEntryCollection`1[T] System.Management.Automation.Runspaces.InitialSessionState System.Management.Automation.Runspaces.TargetMachineType System.Management.Automation.Runspaces.PSSession System.Management.Automation.Runspaces.RemotingErrorRecord System.Management.Automation.Runspaces.RemotingProgressRecord System.Management.Automation.Runspaces.RemotingWarningRecord System.Management.Automation.Runspaces.RemotingDebugRecord System.Management.Automation.Runspaces.RemotingVerboseRecord System.Management.Automation.Runspaces.RemotingInformationRecord System.Management.Automation.Runspaces.AuthenticationMechanism System.Management.Automation.Runspaces.PSSessionConfigurationAccessMode System.Management.Automation.Runspaces.OutputBufferingMode System.Management.Automation.Runspaces.RunspaceConnectionInfo System.Management.Automation.Runspaces.WSManConnectionInfo System.Management.Automation.Runspaces.NamedPipeConnectionInfo System.Management.Automation.Runspaces.SSHConnectionInfo System.Management.Automation.Runspaces.VMConnectionInfo System.Management.Automation.Runspaces.ContainerConnectionInfo System.Management.Automation.Runspaces.TypeTableLoadException System.Management.Automation.Runspaces.TypeData System.Management.Automation.Runspaces.TypeMemberData System.Management.Automation.Runspaces.NotePropertyData System.Management.Automation.Runspaces.AliasPropertyData System.Management.Automation.Runspaces.ScriptPropertyData System.Management.Automation.Runspaces.CodePropertyData System.Management.Automation.Runspaces.ScriptMethodData System.Management.Automation.Runspaces.CodeMethodData System.Management.Automation.Runspaces.PropertySetData System.Management.Automation.Runspaces.MemberSetData System.Management.Automation.Runspaces.TypeTable System.Management.Automation.Runspaces.FormatTableLoadException System.Management.Automation.Runspaces.FormatTable System.Management.Automation.Runspaces.PSConsoleLoadException System.Management.Automation.Runspaces.PSSnapInException System.Management.Automation.Runspaces.PipelineReader`1[T] System.Management.Automation.Runspaces.PipelineWriter System.Management.Automation.Language.StaticParameterBinder System.Management.Automation.Language.StaticBindingResult System.Management.Automation.Language.ParameterBindingResult System.Management.Automation.Language.StaticBindingError System.Management.Automation.Language.CodeGeneration System.Management.Automation.Language.NullString System.Management.Automation.Language.Ast System.Management.Automation.Language.ErrorStatementAst System.Management.Automation.Language.ErrorExpressionAst System.Management.Automation.Language.ScriptRequirements System.Management.Automation.Language.ScriptBlockAst System.Management.Automation.Language.ParamBlockAst System.Management.Automation.Language.NamedBlockAst System.Management.Automation.Language.NamedAttributeArgumentAst System.Management.Automation.Language.AttributeBaseAst System.Management.Automation.Language.AttributeAst System.Management.Automation.Language.TypeConstraintAst System.Management.Automation.Language.ParameterAst System.Management.Automation.Language.StatementBlockAst System.Management.Automation.Language.StatementAst System.Management.Automation.Language.TypeAttributes System.Management.Automation.Language.TypeDefinitionAst System.Management.Automation.Language.UsingStatementKind System.Management.Automation.Language.UsingStatementAst System.Management.Automation.Language.MemberAst System.Management.Automation.Language.PropertyAttributes System.Management.Automation.Language.PropertyMemberAst System.Management.Automation.Language.MethodAttributes System.Management.Automation.Language.FunctionMemberAst System.Management.Automation.Language.FunctionDefinitionAst System.Management.Automation.Language.IfStatementAst System.Management.Automation.Language.DataStatementAst System.Management.Automation.Language.LabeledStatementAst System.Management.Automation.Language.LoopStatementAst System.Management.Automation.Language.ForEachFlags System.Management.Automation.Language.ForEachStatementAst System.Management.Automation.Language.ForStatementAst System.Management.Automation.Language.DoWhileStatementAst System.Management.Automation.Language.DoUntilStatementAst System.Management.Automation.Language.WhileStatementAst System.Management.Automation.Language.SwitchFlags System.Management.Automation.Language.SwitchStatementAst System.Management.Automation.Language.CatchClauseAst System.Management.Automation.Language.TryStatementAst System.Management.Automation.Language.TrapStatementAst System.Management.Automation.Language.BreakStatementAst System.Management.Automation.Language.ContinueStatementAst System.Management.Automation.Language.ReturnStatementAst System.Management.Automation.Language.ExitStatementAst System.Management.Automation.Language.ThrowStatementAst System.Management.Automation.Language.ChainableAst System.Management.Automation.Language.PipelineChainAst System.Management.Automation.Language.PipelineBaseAst System.Management.Automation.Language.PipelineAst System.Management.Automation.Language.CommandElementAst System.Management.Automation.Language.CommandParameterAst System.Management.Automation.Language.CommandBaseAst System.Management.Automation.Language.CommandAst System.Management.Automation.Language.CommandExpressionAst System.Management.Automation.Language.RedirectionAst System.Management.Automation.Language.RedirectionStream System.Management.Automation.Language.MergingRedirectionAst System.Management.Automation.Language.FileRedirectionAst System.Management.Automation.Language.AssignmentStatementAst System.Management.Automation.Language.ConfigurationType System.Management.Automation.Language.ConfigurationDefinitionAst System.Management.Automation.Language.DynamicKeywordStatementAst System.Management.Automation.Language.ExpressionAst System.Management.Automation.Language.TernaryExpressionAst System.Management.Automation.Language.BinaryExpressionAst System.Management.Automation.Language.UnaryExpressionAst System.Management.Automation.Language.BlockStatementAst System.Management.Automation.Language.AttributedExpressionAst System.Management.Automation.Language.ConvertExpressionAst System.Management.Automation.Language.MemberExpressionAst System.Management.Automation.Language.InvokeMemberExpressionAst System.Management.Automation.Language.BaseCtorInvokeMemberExpressionAst System.Management.Automation.Language.ITypeName System.Management.Automation.Language.TypeName System.Management.Automation.Language.GenericTypeName System.Management.Automation.Language.ArrayTypeName System.Management.Automation.Language.ReflectionTypeName System.Management.Automation.Language.TypeExpressionAst System.Management.Automation.Language.VariableExpressionAst System.Management.Automation.Language.ConstantExpressionAst System.Management.Automation.Language.StringConstantType System.Management.Automation.Language.StringConstantExpressionAst System.Management.Automation.Language.ExpandableStringExpressionAst System.Management.Automation.Language.ScriptBlockExpressionAst System.Management.Automation.Language.ArrayLiteralAst System.Management.Automation.Language.HashtableAst System.Management.Automation.Language.ArrayExpressionAst System.Management.Automation.Language.ParenExpressionAst System.Management.Automation.Language.SubExpressionAst System.Management.Automation.Language.UsingExpressionAst System.Management.Automation.Language.IndexExpressionAst System.Management.Automation.Language.CommentHelpInfo System.Management.Automation.Language.ICustomAstVisitor System.Management.Automation.Language.ICustomAstVisitor2 System.Management.Automation.Language.DefaultCustomAstVisitor System.Management.Automation.Language.DefaultCustomAstVisitor2 System.Management.Automation.Language.Parser System.Management.Automation.Language.ParseError System.Management.Automation.Language.IScriptPosition System.Management.Automation.Language.IScriptExtent System.Management.Automation.Language.ScriptPosition System.Management.Automation.Language.ScriptExtent System.Management.Automation.Language.AstVisitAction System.Management.Automation.Language.AstVisitor System.Management.Automation.Language.AstVisitor2 System.Management.Automation.Language.IAstPostVisitHandler System.Management.Automation.Language.NoRunspaceAffinityAttribute System.Management.Automation.Language.TokenKind System.Management.Automation.Language.TokenFlags System.Management.Automation.Language.TokenTraits System.Management.Automation.Language.Token System.Management.Automation.Language.NumberToken System.Management.Automation.Language.ParameterToken System.Management.Automation.Language.VariableToken System.Management.Automation.Language.StringToken System.Management.Automation.Language.StringLiteralToken System.Management.Automation.Language.StringExpandableToken System.Management.Automation.Language.LabelToken System.Management.Automation.Language.RedirectionToken System.Management.Automation.Language.InputRedirectionToken System.Management.Automation.Language.MergingRedirectionToken System.Management.Automation.Language.FileRedirectionToken System.Management.Automation.Language.DynamicKeywordNameMode System.Management.Automation.Language.DynamicKeywordBodyMode System.Management.Automation.Language.DynamicKeyword System.Management.Automation.Language.DynamicKeywordProperty System.Management.Automation.Language.DynamicKeywordParameter System.Management.Automation.Internal.CmdletMetadataAttribute System.Management.Automation.Internal.ParsingBaseAttribute System.Management.Automation.Internal.AutomationNull System.Management.Automation.Internal.InternalCommand System.Management.Automation.Internal.CommonParameters System.Management.Automation.Internal.DebuggerUtils System.Management.Automation.Internal.PSMonitorRunspaceType System.Management.Automation.Internal.PSMonitorRunspaceInfo System.Management.Automation.Internal.PSStandaloneMonitorRunspaceInfo System.Management.Automation.Internal.PSEmbeddedMonitorRunspaceInfo System.Management.Automation.Internal.SessionStateKeeper System.Management.Automation.Internal.ScriptBlockMemberMethodWrapper System.Management.Automation.Internal.ClassOps System.Management.Automation.Internal.ShouldProcessParameters System.Management.Automation.Internal.TransactionParameters System.Management.Automation.Internal.InternalTestHooks System.Management.Automation.Internal.StringDecorated System.Management.Automation.Internal.AlternateStreamData System.Management.Automation.Internal.AlternateDataStreamUtilities System.Management.Automation.Internal.SecuritySupport System.Management.Automation.Internal.PSRemotingCryptoHelper Microsoft.PowerShell.ToStringCodeMethods Microsoft.PowerShell.AdapterCodeMethods Microsoft.PowerShell.ProcessCodeMethods Microsoft.PowerShell.DeserializingTypeConverter Microsoft.PowerShell.PSAuthorizationManager Microsoft.PowerShell.ExecutionPolicy Microsoft.PowerShell.ExecutionPolicyScope Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry Microsoft.PowerShell.DesiredStateConfiguration.ArgumentToConfigurationDataTransformationAttribute Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscRemoteOperationsClass Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache Microsoft.PowerShell.Commands.EnableDisableExperimentalFeatureCommandBase Microsoft.PowerShell.Commands.EnableExperimentalFeatureCommand Microsoft.PowerShell.Commands.DisableExperimentalFeatureCommand Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand Microsoft.PowerShell.Commands.GetCommandCommand Microsoft.PowerShell.Commands.NounArgumentCompleter Microsoft.PowerShell.Commands.HistoryInfo Microsoft.PowerShell.Commands.GetHistoryCommand Microsoft.PowerShell.Commands.InvokeHistoryCommand Microsoft.PowerShell.Commands.AddHistoryCommand Microsoft.PowerShell.Commands.ClearHistoryCommand Microsoft.PowerShell.Commands.ForEachObjectCommand Microsoft.PowerShell.Commands.WhereObjectCommand Microsoft.PowerShell.Commands.SetPSDebugCommand Microsoft.PowerShell.Commands.SetStrictModeCommand Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter Microsoft.PowerShell.Commands.ExportModuleMemberCommand Microsoft.PowerShell.Commands.GetModuleCommand Microsoft.PowerShell.Commands.PSEditionArgumentCompleter Microsoft.PowerShell.Commands.ImportModuleCommand Microsoft.PowerShell.Commands.ModuleCmdletBase Microsoft.PowerShell.Commands.ModuleSpecification Microsoft.PowerShell.Commands.NewModuleCommand Microsoft.PowerShell.Commands.NewModuleManifestCommand Microsoft.PowerShell.Commands.RemoveModuleCommand Microsoft.PowerShell.Commands.TestModuleManifestCommand Microsoft.PowerShell.Commands.ObjectEventRegistrationBase Microsoft.PowerShell.Commands.ConnectPSSessionCommand Microsoft.PowerShell.Commands.RegisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.PSSessionConfigurationCommandBase Microsoft.PowerShell.Commands.UnregisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.GetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.SetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.DisablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSRemotingCommand Microsoft.PowerShell.Commands.DisablePSRemotingCommand Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand Microsoft.PowerShell.Commands.DebugJobCommand Microsoft.PowerShell.Commands.DisconnectPSSessionCommand Microsoft.PowerShell.Commands.EnterPSHostProcessCommand Microsoft.PowerShell.Commands.ExitPSHostProcessCommand Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand Microsoft.PowerShell.Commands.PSHostProcessInfo Microsoft.PowerShell.Commands.GetJobCommand Microsoft.PowerShell.Commands.GetPSSessionCommand Microsoft.PowerShell.Commands.InvokeCommandCommand Microsoft.PowerShell.Commands.NewPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.NewPSRoleCapabilityFileCommand Microsoft.PowerShell.Commands.WSManConfigurationOption Microsoft.PowerShell.Commands.NewPSTransportOptionCommand Microsoft.PowerShell.Commands.NewPSSessionOptionCommand Microsoft.PowerShell.Commands.NewPSSessionCommand Microsoft.PowerShell.Commands.ExitPSSessionCommand Microsoft.PowerShell.Commands.PSRemotingCmdlet Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet Microsoft.PowerShell.Commands.PSExecutionCmdlet Microsoft.PowerShell.Commands.PSRunspaceCmdlet Microsoft.PowerShell.Commands.SessionFilterState Microsoft.PowerShell.Commands.EnterPSSessionCommand Microsoft.PowerShell.Commands.ReceiveJobCommand Microsoft.PowerShell.Commands.ReceivePSSessionCommand Microsoft.PowerShell.Commands.OutTarget Microsoft.PowerShell.Commands.JobCmdletBase Microsoft.PowerShell.Commands.RemoveJobCommand Microsoft.PowerShell.Commands.RemovePSSessionCommand Microsoft.PowerShell.Commands.StartJobCommand Microsoft.PowerShell.Commands.StopJobCommand Microsoft.PowerShell.Commands.TestPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.WaitJobCommand Microsoft.PowerShell.Commands.OpenMode Microsoft.PowerShell.Commands.PSPropertyExpressionResult Microsoft.PowerShell.Commands.PSPropertyExpression Microsoft.PowerShell.Commands.FormatDefaultCommand Microsoft.PowerShell.Commands.OutNullCommand Microsoft.PowerShell.Commands.OutDefaultCommand Microsoft.PowerShell.Commands.OutHostCommand Microsoft.PowerShell.Commands.OutLineOutputCommand Microsoft.PowerShell.Commands.HelpCategoryInvalidException Microsoft.PowerShell.Commands.GetHelpCommand Microsoft.PowerShell.Commands.GetHelpCodeMethods Microsoft.PowerShell.Commands.HelpNotFoundException Microsoft.PowerShell.Commands.SaveHelpCommand Microsoft.PowerShell.Commands.UpdatableHelpCommandBase Microsoft.PowerShell.Commands.UpdateHelpScope Microsoft.PowerShell.Commands.UpdateHelpCommand Microsoft.PowerShell.Commands.AliasProvider Microsoft.PowerShell.Commands.AliasProviderDynamicParameters Microsoft.PowerShell.Commands.EnvironmentProvider Microsoft.PowerShell.Commands.FileSystemProvider Microsoft.PowerShell.Commands.FileSystemContentDynamicParametersBase Microsoft.PowerShell.Commands.FileSystemClearContentDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentWriterDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentReaderDynamicParameters Microsoft.PowerShell.Commands.FileSystemItemProviderDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderGetItemDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderRemoveItemDynamicParameters Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods Microsoft.PowerShell.Commands.FunctionProvider Microsoft.PowerShell.Commands.FunctionProviderDynamicParameters Microsoft.PowerShell.Commands.RegistryProvider Microsoft.PowerShell.Commands.RegistryProviderSetItemDynamicParameter Microsoft.PowerShell.Commands.SessionStateProviderBase Microsoft.PowerShell.Commands.SessionStateProviderBaseContentReaderWriter Microsoft.PowerShell.Commands.VariableProvider Microsoft.PowerShell.Commands.Internal.RemotingErrorResources Microsoft.PowerShell.Commands.Internal.Format.FrontEndCommandBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatShapeCommandBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableAndListBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableBase Microsoft.PowerShell.Cim.CimInstanceAdapter Microsoft.PowerShell.Cmdletization.MethodInvocationInfo Microsoft.PowerShell.Cmdletization.MethodParameterBindings Microsoft.PowerShell.Cmdletization.MethodParameter Microsoft.PowerShell.Cmdletization.CmdletAdapter`1[TObjectInstance] Microsoft.PowerShell.Cmdletization.BehaviorOnNoMatch Microsoft.PowerShell.Cmdletization.QueryBuilder Microsoft.PowerShell.Cmdletization.Xml.ConfirmImpact Microsoft.PowerShell.Cmdletization.Xml.ItemsChoiceType System.Management.Automation.ModuleIntrinsics+PSModulePathScope System.Management.Automation.PSStyle+ForegroundColor System.Management.Automation.PSStyle+BackgroundColor System.Management.Automation.PSStyle+ProgressConfiguration System.Management.Automation.PSStyle+FormattingData System.Management.Automation.PSStyle+FileInfoFormatting System.Management.Automation.VTUtility+VT System.Management.Automation.Subsystem.SubsystemInfo+ImplementationInfo System.Management.Automation.Host.PSHostUserInterface+FormatStyle System.Management.Automation.PSStyle+FileInfoFormatting+FileExtensionDictionary", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"powershell-tests,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"powershell-perf,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Commands.Utility,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Commands.Management,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Security,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"System.Management.Automation.Remoting,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.ConsoleHost,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.DscSubsystem,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"(c) Microsoft Corporation.\")] [System.Reflection.AssemblyDescriptionAttribute(\"PowerShell's System.Management.Automation project\")] [System.Reflection.AssemblyFileVersionAttribute(\"7.5.2.500\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"7.5.2 SHA: d1a57af02c719f2f1695425f5124bbbf218dbf77+d1a57af02c719f2f1695425f5124bbbf218dbf77\")] [System.Reflection.AssemblyProductAttribute(\"PowerShell\")] [System.Reflection.AssemblyTitleAttribute(\"PowerShell 7\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Management.Automation.dll", + "Modules": "System.Management.Automation.dll", + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Management.Automation.Internal.CmdletMetadataAttribute", + "AssemblyQualifiedName": "System.Management.Automation.Internal.CmdletMetadataAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Namespace": "System.Management.Automation.Internal", + "GUID": "2b7c15ca-9a23-36ba-834f-5207242e6a57", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "CmdletMetadataAttribute", + "DeclaringType": null, + "Assembly": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "BaseType": "System.Attribute", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33556136, + "Module": "System.Management.Automation.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Management.Automation.Internal.CmdletMetadataAttribute", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "Void .ctor()", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048705, + "IsAbstract": true, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "[System.AttributeUsageAttribute((System.AttributeTargets)32767)]" + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33556137, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Management.Automation.dll", + "ModuleVersionId": "324dba52-7d2f-4354-9396-b48bdf720d93", + "MetadataToken": 1, + "ScopeName": "System.Management.Automation.dll", + "Name": "System.Management.Automation.dll", + "Assembly": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Security.UnverifiableCodeAttribute()] [System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)]" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712119259368 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Management.Automation.Internal.ParsingBaseAttribute", + "AssemblyQualifiedName": "System.Management.Automation.Internal.ParsingBaseAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Namespace": "System.Management.Automation.Internal", + "GUID": "b9f56e08-d077-381e-8eb1-4e2e0b7ee64f", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "ParsingBaseAttribute", + "DeclaringType": null, + "Assembly": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "BaseType": "System.Management.Automation.Internal.CmdletMetadataAttribute", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33556137, + "Module": "System.Management.Automation.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Management.Automation.Internal.ParsingBaseAttribute", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "Void .ctor()", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048705, + "IsAbstract": true, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "[System.AttributeUsageAttribute((System.AttributeTargets)32767)]" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + "Void .ctor()" + ], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [ + "Void .ctor()" + ], + "DeclaredMethods": [], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1048705, + "IsAbstract": true, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [ + "[System.AttributeUsageAttribute((System.AttributeTargets)32767)]" + ] + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554546, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Management.Automation.dll", + "ModuleVersionId": "324dba52-7d2f-4354-9396-b48bdf720d93", + "MetadataToken": 1, + "ScopeName": "System.Management.Automation.dll", + "Name": "System.Management.Automation.dll", + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Management.Automation.dll", + "FullName": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "EntryPoint": null, + "DefinedTypes": "<>f__AnonymousType0`2[j__TPar,j__TPar] <>f__AnonymousType1`2[<<>h__TransparentIdentifier0>j__TPar,j__TPar] <>f__AnonymousType2`2[<<>h__TransparentIdentifier1>j__TPar,j__TPar] <>f__AnonymousType3`2[<<>h__TransparentIdentifier2>j__TPar,j__TPar] <>f__AnonymousType4`2[j__TPar,j__TPar] <>f__AnonymousType5`2[j__TPar,j__TPar] <>F{00000200}`5[T1,T2,T3,T4,TResult] Interop Authenticode AuthorizationManagerBase AutomationExceptions CatalogStrings CimInstanceTypeAdapterResources CmdletizationCoreResources CommandBaseStrings ConsoleInfoErrorStrings CoreClrStubResources Credential CredentialAttributeStrings CredUI DebuggerStrings DescriptionsStrings DiscoveryExceptions EnumExpressionEvaluatorStrings ErrorCategoryStrings ErrorPackage EtwLoggingStrings EventingResources ExperimentalFeatureStrings ExtendedTypeSystem FileSystemProviderStrings FormatAndOutXmlLoadingStrings FormatAndOut_format_xxx FormatAndOut_MshParameter FormatAndOut_out_xxx GetErrorText HelpDisplayStrings HelpErrors HistoryStrings HostInterfaceExceptionsStrings InternalCommandStrings InternalHostStrings InternalHostUserInterfaceStrings Logging Metadata MiniShellErrors Modules MshHostRawUserInterfaceStrings MshSignature MshSnapInCmdletResources MshSnapinInfo NativeCP ParameterBinderStrings ParserStrings PathUtilsStrings PipelineStrings PowerShellStrings ProgressRecordStrings ProviderBaseSecurity ProxyCommandStrings PSCommandStrings PSConfigurationStrings PSDataBufferStrings PSListModifierStrings PSStyleStrings RegistryProviderStrings RemotingErrorIdStrings RunspaceInit RunspacePoolStrings RunspaceStrings SecuritySupportStrings Serialization SessionStateProviderBaseStrings SessionStateStrings StringDecoratedStrings SubsystemStrings SuggestionStrings TabCompletionStrings TransactionStrings TypesXmlStrings VerbDescriptionStrings WildcardPatternStrings System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0 System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__Utilities System.Management.Automation.PowerShellAssemblyLoadContext System.Management.Automation.PowerShellAssemblyLoadContextInitializer System.Management.Automation.PowerShellUnsafeAssemblyLoad System.Management.Automation.Platform System.Management.Automation.PSTransactionContext System.Management.Automation.RollbackSeverity System.Management.Automation.RegistryStringResourceIndirect System.Management.Automation.AliasInfo System.Management.Automation.ApplicationInfo System.Management.Automation.ArgumentToVersionTransformationAttribute System.Management.Automation.ArgumentTypeConverterAttribute System.Management.Automation.AsyncByteStreamTransfer System.Management.Automation.ValidateArgumentsAttribute System.Management.Automation.ValidateEnumeratedArgumentsAttribute System.Management.Automation.DSCResourceRunAsCredential System.Management.Automation.DscResourceAttribute System.Management.Automation.DscPropertyAttribute System.Management.Automation.DscLocalConfigurationManagerAttribute System.Management.Automation.CmdletCommonMetadataAttribute System.Management.Automation.CmdletAttribute System.Management.Automation.CmdletBindingAttribute System.Management.Automation.OutputTypeAttribute System.Management.Automation.DynamicClassImplementationAssemblyAttribute System.Management.Automation.AliasAttribute System.Management.Automation.ParameterAttribute System.Management.Automation.PSTypeNameAttribute System.Management.Automation.SupportsWildcardsAttribute System.Management.Automation.PSDefaultValueAttribute System.Management.Automation.HiddenAttribute System.Management.Automation.ValidateLengthAttribute System.Management.Automation.ValidateRangeKind System.Management.Automation.ValidateRangeAttribute System.Management.Automation.ValidatePatternAttribute System.Management.Automation.ValidateScriptAttribute System.Management.Automation.ValidateCountAttribute System.Management.Automation.CachedValidValuesGeneratorBase System.Management.Automation.ValidateSetAttribute System.Management.Automation.IValidateSetValuesGenerator System.Management.Automation.ValidateTrustedDataAttribute System.Management.Automation.AllowNullAttribute System.Management.Automation.AllowEmptyStringAttribute System.Management.Automation.AllowEmptyCollectionAttribute System.Management.Automation.ValidateDriveAttribute System.Management.Automation.ValidateUserDriveAttribute System.Management.Automation.NullValidationAttributeBase System.Management.Automation.ValidateNotNullAttribute System.Management.Automation.ValidateNotNullOrAttributeBase System.Management.Automation.ValidateNotNullOrEmptyAttribute System.Management.Automation.ValidateNotNullOrWhiteSpaceAttribute System.Management.Automation.ArgumentTransformationAttribute System.Management.Automation.AutomationEngine System.Management.Automation.BytePipe System.Management.Automation.NativeCommandProcessorBytePipe System.Management.Automation.FileBytePipe System.Management.Automation.ChildItemCmdletProviderIntrinsics System.Management.Automation.ReturnContainers System.Management.Automation.Cmdlet System.Management.Automation.ShouldProcessReason System.Management.Automation.ProviderIntrinsics System.Management.Automation.CmdletInfo System.Management.Automation.CmdletParameterBinderController System.Management.Automation.DefaultParameterDictionary System.Management.Automation.NativeArgumentPassingStyle System.Management.Automation.ErrorView System.Management.Automation.ActionPreference System.Management.Automation.ConfirmImpact System.Management.Automation.PSCmdlet System.Management.Automation.CommandCompletion System.Management.Automation.CompletionContext System.Management.Automation.CompletionAnalysis System.Management.Automation.CompletionCompleters System.Management.Automation.SafeExprEvaluator System.Management.Automation.PropertyNameCompleter System.Management.Automation.CompletionResultType System.Management.Automation.CompletionResult System.Management.Automation.ArgumentCompleterAttribute System.Management.Automation.IArgumentCompleter System.Management.Automation.IArgumentCompleterFactory System.Management.Automation.ArgumentCompleterFactoryAttribute System.Management.Automation.RegisterArgumentCompleterCommand System.Management.Automation.ArgumentCompletionsAttribute System.Management.Automation.ScopeArgumentCompleter System.Management.Automation.CommandLookupEventArgs System.Management.Automation.PSModuleAutoLoadingPreference System.Management.Automation.CommandDiscovery System.Management.Automation.LookupPathCollection System.Management.Automation.CommandDiscoveryEventSource System.Management.Automation.CommandTypes System.Management.Automation.CommandInfo System.Management.Automation.PSTypeName System.Management.Automation.PSMemberNameAndType System.Management.Automation.PSSyntheticTypeName System.Management.Automation.IScriptCommandInfo System.Management.Automation.SessionCapabilities System.Management.Automation.CommandMetadata System.Management.Automation.CommandParameterInternal System.Management.Automation.CommandPathSearch System.Management.Automation.CommandProcessor System.Management.Automation.CommandProcessorBase System.Management.Automation.CommandSearcher System.Management.Automation.SearchResolutionOptions System.Management.Automation.CompiledCommandParameter System.Management.Automation.ParameterCollectionType System.Management.Automation.ParameterCollectionTypeInformation System.Management.Automation.ComAdapter System.Management.Automation.IDispatch System.Management.Automation.ComInvoker System.Management.Automation.ComMethodInformation System.Management.Automation.ComMethod System.Management.Automation.ComProperty System.Management.Automation.ComTypeInfo System.Management.Automation.ComUtil System.Management.Automation.ConfigurationInfo System.Management.Automation.ContentCmdletProviderIntrinsics System.Management.Automation.Adapter System.Management.Automation.CacheEntry System.Management.Automation.CacheTable System.Management.Automation.MethodInformation System.Management.Automation.ParameterInformation System.Management.Automation.DotNetAdapter System.Management.Automation.BaseDotNetAdapterForAdaptedObjects System.Management.Automation.DotNetAdapterWithComTypeName System.Management.Automation.MemberRedirectionAdapter System.Management.Automation.PSObjectAdapter System.Management.Automation.PSMemberSetAdapter System.Management.Automation.PropertyOnlyAdapter System.Management.Automation.XmlNodeAdapter System.Management.Automation.DataRowAdapter System.Management.Automation.DataRowViewAdapter System.Management.Automation.TypeInference System.Management.Automation.PSCredentialTypes System.Management.Automation.PSCredentialUIOptions System.Management.Automation.GetSymmetricEncryptionKey System.Management.Automation.PSCredential System.Management.Automation.PSCultureVariable System.Management.Automation.PSUICultureVariable System.Management.Automation.PSDriveInfo System.Management.Automation.ProviderInfo System.Management.Automation.Breakpoint System.Management.Automation.CommandBreakpoint System.Management.Automation.VariableAccessMode System.Management.Automation.VariableBreakpoint System.Management.Automation.LineBreakpoint System.Management.Automation.DebuggerResumeAction System.Management.Automation.DebuggerStopEventArgs System.Management.Automation.BreakpointUpdateType System.Management.Automation.BreakpointUpdatedEventArgs System.Management.Automation.PSJobStartEventArgs System.Management.Automation.StartRunspaceDebugProcessingEventArgs System.Management.Automation.ProcessRunspaceDebugEndEventArgs System.Management.Automation.DebugModes System.Management.Automation.UnhandledBreakpointProcessingMode System.Management.Automation.Debugger System.Management.Automation.ScriptDebugger System.Management.Automation.NestedRunspaceDebugger System.Management.Automation.StandaloneRunspaceDebugger System.Management.Automation.EmbeddedRunspaceDebugger System.Management.Automation.DebuggerCommandResults System.Management.Automation.DebuggerCommandProcessor System.Management.Automation.DebuggerCommand System.Management.Automation.PSDebugContext System.Management.Automation.CallStackFrame System.Management.Automation.DefaultCommandRuntime System.Management.Automation.DriveManagementIntrinsics System.Management.Automation.DriveNames System.Management.Automation.ImplementedAsType System.Management.Automation.DscResourceInfo System.Management.Automation.DscResourcePropertyInfo System.Management.Automation.DscResourceSearcher System.Management.Automation.EngineIntrinsics System.Management.Automation.FlagsExpression`1[T] System.Management.Automation.EnumMinimumDisambiguation System.Management.Automation.ErrorCategory System.Management.Automation.ErrorCategoryInfo System.Management.Automation.ErrorDetails System.Management.Automation.ErrorRecord System.Management.Automation.ErrorRecord`1[TException] System.Management.Automation.IContainsErrorRecord System.Management.Automation.IResourceSupplier System.Management.Automation.PSEventManager System.Management.Automation.PSLocalEventManager System.Management.Automation.PSRemoteEventManager System.Management.Automation.PSEngineEvent System.Management.Automation.PSEventSubscriber System.Management.Automation.PSEventHandler System.Management.Automation.ForwardedEventArgs System.Management.Automation.PSEventArgs`1[T] System.Management.Automation.PSEventArgs System.Management.Automation.PSEventReceivedEventHandler System.Management.Automation.PSEventUnsubscribedEventArgs System.Management.Automation.PSEventUnsubscribedEventHandler System.Management.Automation.PSEventArgsCollection System.Management.Automation.EventAction System.Management.Automation.PSEventJob System.Management.Automation.ExecutionContext System.Management.Automation.EngineState System.Management.Automation.ExperimentalFeature System.Management.Automation.ExperimentAction System.Management.Automation.ExperimentalAttribute System.Management.Automation.ExtendedTypeSystemException System.Management.Automation.MethodException System.Management.Automation.MethodInvocationException System.Management.Automation.GetValueException System.Management.Automation.PropertyNotFoundException System.Management.Automation.GetValueInvocationException System.Management.Automation.SetValueException System.Management.Automation.SetValueInvocationException System.Management.Automation.PSInvalidCastException System.Management.Automation.ExternalScriptInfo System.Management.Automation.ScriptRequiresSyntaxException System.Management.Automation.PSSnapInSpecification System.Management.Automation.DirectoryEntryAdapter System.Management.Automation.FilterInfo System.Management.Automation.FunctionInfo System.Management.Automation.SuggestionMatchType System.Management.Automation.HostUtilities System.Management.Automation.InformationalRecord System.Management.Automation.WarningRecord System.Management.Automation.DebugRecord System.Management.Automation.VerboseRecord System.Management.Automation.PSListModifier System.Management.Automation.PSListModifier`1[T] System.Management.Automation.InvalidPowerShellStateException System.Management.Automation.PSInvocationState System.Management.Automation.RunspaceMode System.Management.Automation.PSInvocationStateInfo System.Management.Automation.PSInvocationStateChangedEventArgs System.Management.Automation.PSInvocationSettings System.Management.Automation.BatchInvocationContext System.Management.Automation.RemoteStreamOptions System.Management.Automation.PowerShellAsyncResult System.Management.Automation.PowerShell System.Management.Automation.PSDataStreams System.Management.Automation.PowerShellStopper System.Management.Automation.PSCommand System.Management.Automation.DataAddedEventArgs System.Management.Automation.DataAddingEventArgs System.Management.Automation.PSDataCollection`1[T] System.Management.Automation.IBlockingEnumerator`1[T] System.Management.Automation.PSDataCollectionEnumerator`1[T] System.Management.Automation.PSInformationalBuffers System.Management.Automation.ICommandRuntime System.Management.Automation.ICommandRuntime2 System.Management.Automation.InformationRecord System.Management.Automation.HostInformationMessage System.Management.Automation.InvocationInfo System.Management.Automation.RemoteCommandInfo System.Management.Automation.ItemCmdletProviderIntrinsics System.Management.Automation.CopyContainers System.Management.Automation.PSTypeConverter System.Management.Automation.ConvertThroughString System.Management.Automation.ConversionRank System.Management.Automation.LanguagePrimitives System.Management.Automation.PSParseError System.Management.Automation.PSParser System.Management.Automation.PSToken System.Management.Automation.PSTokenType System.Management.Automation.FlowControlException System.Management.Automation.LoopFlowException System.Management.Automation.BreakException System.Management.Automation.ContinueException System.Management.Automation.ReturnException System.Management.Automation.ExitException System.Management.Automation.ExitNestedPromptException System.Management.Automation.TerminateException System.Management.Automation.StopUpstreamCommandsException System.Management.Automation.SplitOptions System.Management.Automation.PowerShellBinaryOperator System.Management.Automation.ParserOps System.Management.Automation.RangeEnumerator System.Management.Automation.CharRangeEnumerator System.Management.Automation.InterpreterError System.Management.Automation.ScriptTrace System.Management.Automation.ScriptBlock System.Management.Automation.SteppablePipeline System.Management.Automation.ScriptBlockToPowerShellNotSupportedException System.Management.Automation.ScriptBlockInvocationEventArgs System.Management.Automation.BaseWMIAdapter System.Management.Automation.ManagementClassApdapter System.Management.Automation.ManagementObjectAdapter System.Management.Automation.MergedCommandParameterMetadata System.Management.Automation.MergedCompiledCommandParameter System.Management.Automation.ParameterBinderAssociation System.Management.Automation.MinishellParameterBinderController System.Management.Automation.AnalysisCache System.Management.Automation.AnalysisCacheData System.Management.Automation.ModuleCacheEntry System.Management.Automation.Constants System.Management.Automation.ModuleIntrinsics System.Management.Automation.ModuleMatchFailure System.Management.Automation.IModuleAssemblyInitializer System.Management.Automation.IModuleAssemblyCleanup System.Management.Automation.PSModuleInfo System.Management.Automation.ModuleType System.Management.Automation.ModuleAccessMode System.Management.Automation.PSModuleInfoComparer System.Management.Automation.RemoteDiscoveryHelper System.Management.Automation.ScriptAnalysis System.Management.Automation.ExportVisitor System.Management.Automation.RequiredModuleInfo System.Management.Automation.IDynamicParameters System.Management.Automation.SwitchParameter System.Management.Automation.CommandInvocationIntrinsics System.Management.Automation.MshCommandRuntime System.Management.Automation.PSMemberTypes System.Management.Automation.PSMemberViewTypes System.Management.Automation.MshMemberMatchOptions System.Management.Automation.PSMemberInfo System.Management.Automation.PSPropertyInfo System.Management.Automation.PSAliasProperty System.Management.Automation.PSCodeProperty System.Management.Automation.PSInferredProperty System.Management.Automation.PSProperty System.Management.Automation.PSAdaptedProperty System.Management.Automation.PSNoteProperty System.Management.Automation.PSVariableProperty System.Management.Automation.PSScriptProperty System.Management.Automation.PSMethodInvocationConstraints System.Management.Automation.PSMethodInfo System.Management.Automation.PSCodeMethod System.Management.Automation.PSScriptMethod System.Management.Automation.PSMethod System.Management.Automation.PSNonBindableType System.Management.Automation.VOID System.Management.Automation.PSOutParameter`1[T] System.Management.Automation.PSPointer`1[T] System.Management.Automation.PSTypedReference System.Management.Automation.MethodGroup System.Management.Automation.MethodGroup`1[T1] System.Management.Automation.MethodGroup`2[T1,T2] System.Management.Automation.MethodGroup`4[T1,T2,T3,T4] System.Management.Automation.MethodGroup`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Management.Automation.MethodGroup`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Management.Automation.MethodGroup`32[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32] System.Management.Automation.PSMethodSignatureEnumerator System.Management.Automation.PSMethod`1[T] System.Management.Automation.PSParameterizedProperty System.Management.Automation.PSMemberSet System.Management.Automation.PSInternalMemberSet System.Management.Automation.PSPropertySet System.Management.Automation.PSEvent System.Management.Automation.PSDynamicMember System.Management.Automation.MemberMatch System.Management.Automation.MemberNamePredicate System.Management.Automation.PSMemberInfoCollection`1[T] System.Management.Automation.ReadOnlyPSMemberInfoCollection`1[T] System.Management.Automation.PSMemberInfoInternalCollection`1[T] System.Management.Automation.CollectionEntry`1[T] System.Management.Automation.ReservedNameMembers System.Management.Automation.PSMemberInfoIntegratingCollection`1[T] System.Management.Automation.PSObject System.Management.Automation.WriteStreamType System.Management.Automation.PSCustomObject System.Management.Automation.SerializationMethod System.Management.Automation.SettingValueExceptionEventArgs System.Management.Automation.GettingValueExceptionEventArgs System.Management.Automation.PSObjectPropertyDescriptor System.Management.Automation.PSObjectTypeDescriptor System.Management.Automation.PSObjectTypeDescriptionProvider System.Management.Automation.PSReference System.Management.Automation.PSReference`1[T] System.Management.Automation.PSSecurityException System.Management.Automation.PSSnapinQualifiedName System.Management.Automation.NativeCommand System.Management.Automation.NativeCommandParameterBinder System.Management.Automation.NativeCommandParameterBinderController System.Management.Automation.NativeCommandIOFormat System.Management.Automation.MinishellStream System.Management.Automation.StringToMinishellStreamConverter System.Management.Automation.ProcessOutputObject System.Management.Automation.NativeCommandExitException System.Management.Automation.NativeCommandProcessor System.Management.Automation.ProcessOutputHandler System.Management.Automation.ProcessInputWriter System.Management.Automation.ConsoleVisibility System.Management.Automation.RemoteException System.Management.Automation.OrderedHashtable System.Management.Automation.ParameterBindingFlags System.Management.Automation.ParameterBinderBase System.Management.Automation.UnboundParameter System.Management.Automation.PSBoundParametersDictionary System.Management.Automation.CommandLineParameters System.Management.Automation.ParameterBinderController System.Management.Automation.CommandParameterInfo System.Management.Automation.CommandParameterSetInfo System.Management.Automation.ParameterSetPromptingData System.Management.Automation.ParameterSetSpecificMetadata System.Management.Automation.TypeInferenceRuntimePermissions System.Management.Automation.AstTypeInference System.Management.Automation.PSTypeNameComparer System.Management.Automation.TypeInferenceContext System.Management.Automation.TypeInferenceVisitor System.Management.Automation.TypeInferenceExtension System.Management.Automation.CoreTypes System.Management.Automation.TypeAccelerators System.Management.Automation.PathIntrinsics System.Management.Automation.PositionalCommandParameter System.Management.Automation.PowerShellStreamType System.Management.Automation.ProgressRecord System.Management.Automation.ProgressRecordType System.Management.Automation.PropertyCmdletProviderIntrinsics System.Management.Automation.CmdletProviderManagementIntrinsics System.Management.Automation.ProviderNames System.Management.Automation.SingleShellProviderNames System.Management.Automation.ProxyCommand System.Management.Automation.PSClassInfo System.Management.Automation.PSClassMemberInfo System.Management.Automation.PSClassSearcher System.Management.Automation.RuntimeDefinedParameterBinder System.Management.Automation.RuntimeDefinedParameter System.Management.Automation.RuntimeDefinedParameterDictionary System.Management.Automation.PSVersionInfo System.Management.Automation.PSVersionHashTable System.Management.Automation.SemanticVersion System.Management.Automation.QuestionMarkVariable System.Management.Automation.ReflectionParameterBinder System.Management.Automation.WildcardOptions System.Management.Automation.WildcardPattern System.Management.Automation.WildcardPatternException System.Management.Automation.WildcardPatternParser System.Management.Automation.WildcardPatternToRegexParser System.Management.Automation.WildcardPatternMatcher System.Management.Automation.WildcardPatternToDosWildcardParser System.Management.Automation.JobState System.Management.Automation.InvalidJobStateException System.Management.Automation.JobStateInfo System.Management.Automation.JobStateEventArgs System.Management.Automation.JobIdentifier System.Management.Automation.IJobDebugger System.Management.Automation.Job System.Management.Automation.PSRemotingJob System.Management.Automation.DisconnectedJobOperation System.Management.Automation.PSRemotingChildJob System.Management.Automation.RemotingJobDebugger System.Management.Automation.PSInvokeExpressionSyncJob System.Management.Automation.OutputProcessingStateEventArgs System.Management.Automation.IOutputProcessingState System.Management.Automation.Job2 System.Management.Automation.JobThreadOptions System.Management.Automation.ContainerParentJob System.Management.Automation.JobFailedException System.Management.Automation.JobManager System.Management.Automation.JobDefinition System.Management.Automation.JobInvocationInfo System.Management.Automation.JobSourceAdapter System.Management.Automation.PowerShellStreams`2[TInput,TOutput] System.Management.Automation.RemotePipeline System.Management.Automation.RemoteRunspace System.Management.Automation.RemoteDebugger System.Management.Automation.RemoteSessionStateProxy System.Management.Automation.StartableJob System.Management.Automation.ThrottlingJob System.Management.Automation.ThrottlingJobChildAddedEventArgs System.Management.Automation.Repository`1[T] System.Management.Automation.JobRepository System.Management.Automation.RunspaceRepository System.Management.Automation.RemoteSessionNegotiationEventArgs System.Management.Automation.RemoteDataEventArgs System.Management.Automation.RemoteDataEventArgs`1[T] System.Management.Automation.RemoteSessionState System.Management.Automation.RemoteSessionEvent System.Management.Automation.RemoteSessionStateInfo System.Management.Automation.RemoteSessionStateEventArgs System.Management.Automation.RemoteSessionStateMachineEventArgs System.Management.Automation.RemotingCapability System.Management.Automation.RemotingBehavior System.Management.Automation.PSSessionTypeOption System.Management.Automation.PSTransportOption System.Management.Automation.RemoteSession System.Management.Automation.RunspacePoolStateInfo System.Management.Automation.RemotingConstants System.Management.Automation.RemoteDataNameStrings System.Management.Automation.RemotingDestination System.Management.Automation.RemotingTargetInterface System.Management.Automation.RemotingDataType System.Management.Automation.RemotingEncoder System.Management.Automation.RemotingDecoder System.Management.Automation.ServerPowerShellDriver System.Management.Automation.ServerRunspacePoolDataStructureHandler System.Management.Automation.ServerPowerShellDataStructureHandler System.Management.Automation.IRSPDriverInvoke System.Management.Automation.ServerRunspacePoolDriver System.Management.Automation.ServerRemoteDebugger System.Management.Automation.ExecutionContextForStepping System.Management.Automation.ServerSteppablePipelineDriver System.Management.Automation.ServerSteppablePipelineDriverEventArg System.Management.Automation.ServerSteppablePipelineSubscriber System.Management.Automation.CompileInterpretChoice System.Management.Automation.ScriptBlockClauseToInvoke System.Management.Automation.CompiledScriptBlockData System.Management.Automation.PSScriptCmdlet System.Management.Automation.MutableTuple System.Management.Automation.MutableTuple`1[T0] System.Management.Automation.MutableTuple`2[T0,T1] System.Management.Automation.MutableTuple`4[T0,T1,T2,T3] System.Management.Automation.MutableTuple`8[T0,T1,T2,T3,T4,T5,T6,T7] System.Management.Automation.MutableTuple`16[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Management.Automation.MutableTuple`32[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31] System.Management.Automation.MutableTuple`64[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32,T33,T34,T35,T36,T37,T38,T39,T40,T41,T42,T43,T44,T45,T46,T47,T48,T49,T50,T51,T52,T53,T54,T55,T56,T57,T58,T59,T60,T61,T62,T63] System.Management.Automation.MutableTuple`128[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32,T33,T34,T35,T36,T37,T38,T39,T40,T41,T42,T43,T44,T45,T46,T47,T48,T49,T50,T51,T52,T53,T54,T55,T56,T57,T58,T59,T60,T61,T62,T63,T64,T65,T66,T67,T68,T69,T70,T71,T72,T73,T74,T75,T76,T77,T78,T79,T80,T81,T82,T83,T84,T85,T86,T87,T88,T89,T90,T91,T92,T93,T94,T95,T96,T97,T98,T99,T100,T101,T102,T103,T104,T105,T106,T107,T108,T109,T110,T111,T112,T113,T114,T115,T116,T117,T118,T119,T120,T121,T122,T123,T124,T125,T126,T127] System.Management.Automation.ArrayOps System.Management.Automation.PipelineOps System.Management.Automation.CommandRedirection System.Management.Automation.MergingRedirection System.Management.Automation.FileRedirection System.Management.Automation.FunctionOps System.Management.Automation.ScriptBlockExpressionWrapper System.Management.Automation.ByRefOps System.Management.Automation.HashtableOps System.Management.Automation.ExceptionHandlingOps System.Management.Automation.TypeOps System.Management.Automation.SwitchOps System.Management.Automation.WhereOperatorSelectionMode System.Management.Automation.EnumerableOps System.Management.Automation.MemberInvocationLoggingOps System.Management.Automation.Boxed System.Management.Automation.IntOps System.Management.Automation.UIntOps System.Management.Automation.LongOps System.Management.Automation.ULongOps System.Management.Automation.DecimalOps System.Management.Automation.DoubleOps System.Management.Automation.CharOps System.Management.Automation.StringOps System.Management.Automation.VariableOps System.Management.Automation.ScriptBlockToPowerShellChecker System.Management.Automation.UsingExpressionAstSearcher System.Management.Automation.ScriptBlockToPowerShellConverter System.Management.Automation.ScopedItemSearcher`1[T] System.Management.Automation.VariableScopeItemSearcher System.Management.Automation.AliasScopeItemSearcher System.Management.Automation.FunctionScopeItemSearcher System.Management.Automation.DriveScopeItemSearcher System.Management.Automation.ScriptCommand System.Management.Automation.ScriptCommandProcessorBase System.Management.Automation.DlrScriptCommandProcessor System.Management.Automation.ScriptInfo System.Management.Automation.ScriptParameterBinder System.Management.Automation.ScriptParameterBinderController System.Management.Automation.SecurityDescriptorCmdletProviderIntrinsics System.Management.Automation.CommandOrigin System.Management.Automation.AuthorizationManager System.Management.Automation.SerializationOptions System.Management.Automation.SerializationContext System.Management.Automation.PSSerializer System.Management.Automation.Serializer System.Management.Automation.DeserializationOptions System.Management.Automation.DeserializationContext System.Management.Automation.CimClassDeserializationCache`1[TKey] System.Management.Automation.CimClassSerializationCache`1[TKey] System.Management.Automation.CimClassSerializationId System.Management.Automation.Deserializer System.Management.Automation.ContainerType System.Management.Automation.InternalSerializer System.Management.Automation.InternalDeserializer System.Management.Automation.ReferenceIdHandlerForSerializer`1[T] System.Management.Automation.ReferenceIdHandlerForDeserializer`1[T] System.Management.Automation.TypeSerializerDelegate System.Management.Automation.TypeDeserializerDelegate System.Management.Automation.TypeSerializationInfo System.Management.Automation.KnownTypes System.Management.Automation.SerializationUtilities System.Management.Automation.WeakReferenceDictionary`1[T] System.Management.Automation.PSPrimitiveDictionary System.Management.Automation.SerializationStrings System.Management.Automation.SessionStateInternal System.Management.Automation.ProcessMode System.Management.Automation.LocationChangedEventArgs System.Management.Automation.SessionState System.Management.Automation.SessionStateEntryVisibility System.Management.Automation.IHasSessionStateEntryVisibility System.Management.Automation.PSLanguageMode System.Management.Automation.SessionStateScope System.Management.Automation.SessionStateScopeEnumerator System.Management.Automation.StringLiterals System.Management.Automation.SessionStateConstants System.Management.Automation.SessionStateUtilities System.Management.Automation.PSVariable System.Management.Automation.LocalVariable System.Management.Automation.NullVariable System.Management.Automation.ScopedItemOptions System.Management.Automation.SpecialVariables System.Management.Automation.AutomaticVariable System.Management.Automation.PreferenceVariable System.Management.Automation.ThirdPartyAdapter System.Management.Automation.PSPropertyAdapter System.Management.Automation.ParameterSetMetadata System.Management.Automation.ParameterMetadata System.Management.Automation.InternalParameterMetadata System.Management.Automation.PagingParameters System.Management.Automation.Utils System.Management.Automation.PSVariableAttributeCollection System.Management.Automation.PSVariableIntrinsics System.Management.Automation.VariablePathFlags System.Management.Automation.VariablePath System.Management.Automation.FunctionLookupPath System.Management.Automation.IInspectable System.Management.Automation.WinRTHelper System.Management.Automation.ExtendedTypeDefinition System.Management.Automation.FormatViewDefinition System.Management.Automation.PSControl System.Management.Automation.PSControlGroupBy System.Management.Automation.DisplayEntry System.Management.Automation.EntrySelectedBy System.Management.Automation.Alignment System.Management.Automation.DisplayEntryValueType System.Management.Automation.CustomControl System.Management.Automation.CustomControlEntry System.Management.Automation.CustomItemBase System.Management.Automation.CustomItemExpression System.Management.Automation.CustomItemFrame System.Management.Automation.CustomItemNewline System.Management.Automation.CustomItemText System.Management.Automation.CustomEntryBuilder System.Management.Automation.CustomControlBuilder System.Management.Automation.ListControl System.Management.Automation.ListControlEntry System.Management.Automation.ListControlEntryItem System.Management.Automation.ListEntryBuilder System.Management.Automation.ListControlBuilder System.Management.Automation.TableControl System.Management.Automation.TableControlColumnHeader System.Management.Automation.TableControlColumn System.Management.Automation.TableControlRow System.Management.Automation.TableRowDefinitionBuilder System.Management.Automation.TableControlBuilder System.Management.Automation.WideControl System.Management.Automation.WideControlEntryItem System.Management.Automation.WideControlBuilder System.Management.Automation.OutputRendering System.Management.Automation.ProgressView System.Management.Automation.PSStyle System.Management.Automation.AliasHelpInfo System.Management.Automation.AliasHelpProvider System.Management.Automation.BaseCommandHelpInfo System.Management.Automation.CommandHelpProvider System.Management.Automation.UserDefinedHelpData System.Management.Automation.DefaultHelpProvider System.Management.Automation.DscResourceHelpProvider System.Management.Automation.HelpCommentsParser System.Management.Automation.HelpErrorTracer System.Management.Automation.HelpFileHelpInfo System.Management.Automation.HelpFileHelpProvider System.Management.Automation.HelpInfo System.Management.Automation.HelpProvider System.Management.Automation.HelpProviderWithCache System.Management.Automation.HelpProviderWithFullCache System.Management.Automation.HelpRequest System.Management.Automation.HelpSystem System.Management.Automation.HelpProgressEventArgs System.Management.Automation.HelpProviderInfo System.Management.Automation.HelpCategory System.Management.Automation.HelpUtils System.Management.Automation.MamlClassHelpInfo System.Management.Automation.MamlCommandHelpInfo System.Management.Automation.MamlNode System.Management.Automation.MamlUtil System.Management.Automation.MUIFileSearcher System.Management.Automation.SearchMode System.Management.Automation.ProviderCommandHelpInfo System.Management.Automation.ProviderContext System.Management.Automation.ProviderHelpInfo System.Management.Automation.ProviderHelpProvider System.Management.Automation.PSClassHelpProvider System.Management.Automation.RemoteHelpInfo System.Management.Automation.ScriptCommandHelpProvider System.Management.Automation.SyntaxHelpInfo System.Management.Automation.LogContext System.Management.Automation.LogProvider System.Management.Automation.DummyLogProvider System.Management.Automation.MshLog System.Management.Automation.LogContextCache System.Management.Automation.Severity System.Management.Automation.CommandState System.Management.Automation.ProviderState System.Management.Automation.CmdletProviderContext System.Management.Automation.LocationGlobber System.Management.Automation.PathInfo System.Management.Automation.PathInfoStack System.Management.Automation.SigningOption System.Management.Automation.SignatureHelper System.Management.Automation.CatalogValidationStatus System.Management.Automation.CatalogInformation System.Management.Automation.CatalogHelper System.Management.Automation.CredentialAttribute System.Management.Automation.Win32Errors System.Management.Automation.SignatureStatus System.Management.Automation.SignatureType System.Management.Automation.Signature System.Management.Automation.CmsUtils System.Management.Automation.CmsMessageRecipient System.Management.Automation.ResolutionPurpose System.Management.Automation.AmsiUtils System.Management.Automation.RegistryStrings System.Management.Automation.PSSnapInInfo System.Management.Automation.PSSnapInReader System.Management.Automation.AssertException System.Management.Automation.Diagnostics System.Management.Automation.ClrFacade System.Management.Automation.CommandNotFoundException System.Management.Automation.ScriptRequiresException System.Management.Automation.ApplicationFailedException System.Management.Automation.ProviderCmdlet System.Management.Automation.EncodingConversion System.Management.Automation.ArgumentToEncodingTransformationAttribute System.Management.Automation.ArgumentEncodingCompletionsAttribute System.Management.Automation.CmdletInvocationException System.Management.Automation.CmdletProviderInvocationException System.Management.Automation.PipelineStoppedException System.Management.Automation.PipelineClosedException System.Management.Automation.ActionPreferenceStopException System.Management.Automation.ParentContainsErrorRecordException System.Management.Automation.RedirectedException System.Management.Automation.ScriptCallDepthException System.Management.Automation.PipelineDepthException System.Management.Automation.HaltCommandException System.Management.Automation.ExtensionMethods System.Management.Automation.EnumerableExtensions System.Management.Automation.PSTypeExtensions System.Management.Automation.WeakReferenceExtensions System.Management.Automation.FuzzyMatcher System.Management.Automation.MetadataException System.Management.Automation.ValidationMetadataException System.Management.Automation.ArgumentTransformationMetadataException System.Management.Automation.ParsingMetadataException System.Management.Automation.PSArgumentException System.Management.Automation.PSArgumentNullException System.Management.Automation.PSArgumentOutOfRangeException System.Management.Automation.PSInvalidOperationException System.Management.Automation.PSNotImplementedException System.Management.Automation.PSNotSupportedException System.Management.Automation.PSObjectDisposedException System.Management.Automation.PSTraceSource System.Management.Automation.ParameterBindingException System.Management.Automation.ParameterBindingValidationException System.Management.Automation.ParameterBindingArgumentTransformationException System.Management.Automation.ParameterBindingParameterDefaultValueException System.Management.Automation.ParseException System.Management.Automation.IncompleteParseException System.Management.Automation.PathUtils System.Management.Automation.PinvokeDllNames System.Management.Automation.PlatformInvokes System.Management.Automation.PowerShellExecutionHelper System.Management.Automation.PowerShellExtensionHelpers System.Management.Automation.PsUtils System.Management.Automation.StringToBase64Converter System.Management.Automation.CRC32Hash System.Management.Automation.ReferenceEqualityComparer System.Management.Automation.ResourceManagerCache System.Management.Automation.RuntimeException System.Management.Automation.ProviderInvocationException System.Management.Automation.SessionStateCategory System.Management.Automation.SessionStateException System.Management.Automation.SessionStateUnauthorizedAccessException System.Management.Automation.ProviderNotFoundException System.Management.Automation.ProviderNameAmbiguousException System.Management.Automation.DriveNotFoundException System.Management.Automation.ItemNotFoundException System.Management.Automation.PSTraceSourceOptions System.Management.Automation.ScopeTracer System.Management.Automation.TraceSourceAttribute System.Management.Automation.MonadTraceSource System.Management.Automation.VerbsCommon System.Management.Automation.VerbsData System.Management.Automation.VerbsLifecycle System.Management.Automation.VerbsDiagnostic System.Management.Automation.VerbsCommunications System.Management.Automation.VerbsSecurity System.Management.Automation.VerbsOther System.Management.Automation.VerbDescriptions System.Management.Automation.VerbAliasPrefixes System.Management.Automation.VerbInfo System.Management.Automation.Verbs System.Management.Automation.VTUtility System.Management.Automation.Tracing.PowerShellTraceEvent System.Management.Automation.Tracing.PowerShellTraceChannel System.Management.Automation.Tracing.PowerShellTraceLevel System.Management.Automation.Tracing.PowerShellTraceOperationCode System.Management.Automation.Tracing.PowerShellTraceTask System.Management.Automation.Tracing.PowerShellTraceKeywords System.Management.Automation.Tracing.BaseChannelWriter System.Management.Automation.Tracing.NullWriter System.Management.Automation.Tracing.PowerShellChannelWriter System.Management.Automation.Tracing.PowerShellTraceSource System.Management.Automation.Tracing.PowerShellTraceSourceFactory System.Management.Automation.Tracing.EtwEvent System.Management.Automation.Tracing.CallbackNoParameter System.Management.Automation.Tracing.CallbackWithState System.Management.Automation.Tracing.CallbackWithStateAndArgs System.Management.Automation.Tracing.EtwEventArgs System.Management.Automation.Tracing.EtwActivity System.Management.Automation.Tracing.IEtwActivityReverter System.Management.Automation.Tracing.EtwActivityReverter System.Management.Automation.Tracing.EtwActivityReverterMethodInvoker System.Management.Automation.Tracing.IEtwEventCorrelator System.Management.Automation.Tracing.EtwEventCorrelator System.Management.Automation.Tracing.IMethodInvoker System.Management.Automation.Tracing.PSEtwLog System.Management.Automation.Tracing.PSEtwLogProvider System.Management.Automation.Tracing.Tracer System.Management.Automation.Win32Native.SafeCATAdminHandle System.Management.Automation.Win32Native.SafeCATHandle System.Management.Automation.Win32Native.SafeCATCDFHandle System.Management.Automation.Win32Native.WinTrustUIChoice System.Management.Automation.Win32Native.WinTrustUnionChoice System.Management.Automation.Win32Native.WinTrustAction System.Management.Automation.Win32Native.WinTrustProviderFlags System.Management.Automation.Win32Native.WinTrustMethods System.Management.Automation.Security.NativeConstants System.Management.Automation.Security.NativeMethods System.Management.Automation.Security.SAFER_CODE_PROPERTIES System.Management.Automation.Security.LARGE_INTEGER System.Management.Automation.Security.HWND__ System.Management.Automation.Security.Anonymous_9320654f_2227_43bf_a385_74cc8c562686 System.Management.Automation.Security.Anonymous_947eb392_1446_4e25_bbd4_10e98165f3a9 System.Management.Automation.Security.SystemScriptFileEnforcement System.Management.Automation.Security.SystemEnforcementMode System.Management.Automation.Security.SystemPolicy System.Management.Automation.Provider.ContainerCmdletProvider System.Management.Automation.Provider.DriveCmdletProvider System.Management.Automation.Provider.IContentCmdletProvider System.Management.Automation.Provider.IContentReader System.Management.Automation.Provider.IContentWriter System.Management.Automation.Provider.IDynamicPropertyCmdletProvider System.Management.Automation.Provider.ISecurityDescriptorCmdletProvider System.Management.Automation.Provider.IPropertyCmdletProvider System.Management.Automation.Provider.ItemCmdletProvider System.Management.Automation.Provider.NavigationCmdletProvider System.Management.Automation.Provider.ICmdletProviderSupportsHelp System.Management.Automation.Provider.CmdletProvider System.Management.Automation.Provider.CmdletProviderAttribute System.Management.Automation.Provider.ProviderCapabilities System.Management.Automation.Help.PositionalParameterComparer System.Management.Automation.Help.DefaultCommandHelpObjectBuilder System.Management.Automation.Help.CultureSpecificUpdatableHelp System.Management.Automation.Help.UpdatableHelpInfo System.Management.Automation.Help.UpdatableHelpModuleInfo System.Management.Automation.Help.UpdatableHelpSystemException System.Management.Automation.Help.UpdatableHelpExceptionContext System.Management.Automation.Help.UpdatableHelpCommandType System.Management.Automation.Help.UpdatableHelpProgressEventArgs System.Management.Automation.Help.UpdatableHelpSystem System.Management.Automation.Help.UpdatableHelpSystemDrive System.Management.Automation.Help.UpdatableHelpUri System.Management.Automation.Subsystem.GetPSSubsystemCommand System.Management.Automation.Subsystem.SubsystemKind System.Management.Automation.Subsystem.ISubsystem System.Management.Automation.Subsystem.SubsystemInfo System.Management.Automation.Subsystem.SubsystemInfoImpl`1[TConcreteSubsystem] System.Management.Automation.Subsystem.SubsystemManager System.Management.Automation.Subsystem.Prediction.PredictionResult System.Management.Automation.Subsystem.Prediction.CommandPrediction System.Management.Automation.Subsystem.Prediction.ICommandPredictor System.Management.Automation.Subsystem.Prediction.PredictorFeedbackKind System.Management.Automation.Subsystem.Prediction.PredictionClientKind System.Management.Automation.Subsystem.Prediction.PredictionClient System.Management.Automation.Subsystem.Prediction.PredictionContext System.Management.Automation.Subsystem.Prediction.PredictiveSuggestion System.Management.Automation.Subsystem.Prediction.SuggestionPackage System.Management.Automation.Subsystem.Feedback.FeedbackResult System.Management.Automation.Subsystem.Feedback.FeedbackHub System.Management.Automation.Subsystem.Feedback.FeedbackTrigger System.Management.Automation.Subsystem.Feedback.FeedbackDisplayLayout System.Management.Automation.Subsystem.Feedback.FeedbackContext System.Management.Automation.Subsystem.Feedback.FeedbackItem System.Management.Automation.Subsystem.Feedback.IFeedbackProvider System.Management.Automation.Subsystem.Feedback.GeneralCommandErrorFeedback System.Management.Automation.Subsystem.DSC.ICrossPlatformDsc System.Management.Automation.Remoting.ClientMethodExecutor System.Management.Automation.Remoting.ClientRemoteSessionContext System.Management.Automation.Remoting.ClientRemoteSession System.Management.Automation.Remoting.ClientRemoteSessionImpl System.Management.Automation.Remoting.ClientRemoteSessionDSHandlerStateMachine System.Management.Automation.Remoting.OriginInfo System.Management.Automation.Remoting.BaseSessionDataStructureHandler System.Management.Automation.Remoting.ClientRemoteSessionDataStructureHandler System.Management.Automation.Remoting.ClientRemoteSessionDSHandlerImpl System.Management.Automation.Remoting.RunspaceRef System.Management.Automation.Remoting.ProxyAccessType System.Management.Automation.Remoting.PSSessionOption System.Management.Automation.Remoting.AsyncObject`1[T] System.Management.Automation.Remoting.ServerDispatchTable System.Management.Automation.Remoting.DispatchTable`1[T] System.Management.Automation.Remoting.FragmentedRemoteObject System.Management.Automation.Remoting.SerializedDataStream System.Management.Automation.Remoting.Fragmentor System.Management.Automation.Remoting.Indexer System.Management.Automation.Remoting.ObjectRef`1[T] System.Management.Automation.Remoting.CmdletMethodInvoker`1[T] System.Management.Automation.Remoting.HyperVSocketEndPoint System.Management.Automation.Remoting.RemoteSessionHyperVSocketServer System.Management.Automation.Remoting.RemoteSessionHyperVSocketClient System.Management.Automation.Remoting.NamedPipeUtils System.Management.Automation.Remoting.NamedPipeNative System.Management.Automation.Remoting.ListenerEndedEventArgs System.Management.Automation.Remoting.RemoteSessionNamedPipeServer System.Management.Automation.Remoting.NamedPipeClientBase System.Management.Automation.Remoting.RemoteSessionNamedPipeClient System.Management.Automation.Remoting.ContainerSessionNamedPipeClient System.Management.Automation.Remoting.PSRemotingErrorId System.Management.Automation.Remoting.PSRemotingErrorInvariants System.Management.Automation.Remoting.PSRemotingDataStructureException System.Management.Automation.Remoting.PSRemotingTransportException System.Management.Automation.Remoting.PSRemotingTransportRedirectException System.Management.Automation.Remoting.PSDirectException System.Management.Automation.Remoting.RunspacePoolInitInfo System.Management.Automation.Remoting.OperationState System.Management.Automation.Remoting.OperationStateEventArgs System.Management.Automation.Remoting.IThrottleOperation System.Management.Automation.Remoting.ThrottleManager System.Management.Automation.Remoting.RemoteDebuggingCapability System.Management.Automation.Remoting.RemoteDebuggingCommands System.Management.Automation.Remoting.RemoteHostCall System.Management.Automation.Remoting.RemoteHostResponse System.Management.Automation.Remoting.RemoteHostExceptions System.Management.Automation.Remoting.RemoteHostEncoder System.Management.Automation.Remoting.RemoteSessionCapability System.Management.Automation.Remoting.HostDefaultDataId System.Management.Automation.Remoting.HostDefaultData System.Management.Automation.Remoting.HostInfo System.Management.Automation.Remoting.RemoteDataObject`1[T] System.Management.Automation.Remoting.RemoteDataObject System.Management.Automation.Remoting.TransportMethodEnum System.Management.Automation.Remoting.TransportErrorOccuredEventArgs System.Management.Automation.Remoting.ConnectionStatus System.Management.Automation.Remoting.ConnectionStatusEventArgs System.Management.Automation.Remoting.CreateCompleteEventArgs System.Management.Automation.Remoting.BaseTransportManager System.Management.Automation.Remoting.ConfigurationDataFromXML System.Management.Automation.Remoting.PSSessionConfiguration System.Management.Automation.Remoting.DefaultRemotePowerShellConfiguration System.Management.Automation.Remoting.SessionType System.Management.Automation.Remoting.ConfigTypeEntry System.Management.Automation.Remoting.ConfigFileConstants System.Management.Automation.Remoting.DISCUtils System.Management.Automation.Remoting.DISCPowerShellConfiguration System.Management.Automation.Remoting.DISCFileValidation System.Management.Automation.Remoting.OutOfProcessUtils System.Management.Automation.Remoting.OutOfProcessTextWriter System.Management.Automation.Remoting.DataPriorityType System.Management.Automation.Remoting.PrioritySendDataCollection System.Management.Automation.Remoting.ReceiveDataCollection System.Management.Automation.Remoting.PriorityReceiveDataCollection System.Management.Automation.Remoting.PSSenderInfo System.Management.Automation.Remoting.PSPrincipal System.Management.Automation.Remoting.PSIdentity System.Management.Automation.Remoting.PSCertificateDetails System.Management.Automation.Remoting.PSSessionConfigurationData System.Management.Automation.Remoting.WSManPluginConstants System.Management.Automation.Remoting.WSManPluginErrorCodes System.Management.Automation.Remoting.WSManPluginOperationShutdownContext System.Management.Automation.Remoting.WSManPluginInstance System.Management.Automation.Remoting.WSManPluginShellDelegate System.Management.Automation.Remoting.WSManPluginReleaseShellContextDelegate System.Management.Automation.Remoting.WSManPluginConnectDelegate System.Management.Automation.Remoting.WSManPluginCommandDelegate System.Management.Automation.Remoting.WSManPluginOperationShutdownDelegate System.Management.Automation.Remoting.WSManPluginReleaseCommandContextDelegate System.Management.Automation.Remoting.WSManPluginSendDelegate System.Management.Automation.Remoting.WSManPluginReceiveDelegate System.Management.Automation.Remoting.WSManPluginSignalDelegate System.Management.Automation.Remoting.WaitOrTimerCallbackDelegate System.Management.Automation.Remoting.WSManShutdownPluginDelegate System.Management.Automation.Remoting.WSManPluginEntryDelegates System.Management.Automation.Remoting.WSManPluginManagedEntryWrapper System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper System.Management.Automation.Remoting.WSManPluginServerSession System.Management.Automation.Remoting.WSManPluginShellSession System.Management.Automation.Remoting.WSManPluginCommandSession System.Management.Automation.Remoting.WSManPluginServerTransportManager System.Management.Automation.Remoting.WSManPluginCommandTransportManager System.Management.Automation.Remoting.RemoteHostMethodId System.Management.Automation.Remoting.RemoteHostMethodInfo System.Management.Automation.Remoting.ServerMethodExecutor System.Management.Automation.Remoting.ServerRemoteHost System.Management.Automation.Remoting.ServerDriverRemoteHost System.Management.Automation.Remoting.ServerRemoteHostRawUserInterface System.Management.Automation.Remoting.ServerRemoteHostUserInterface System.Management.Automation.Remoting.ServerRemoteSessionContext System.Management.Automation.Remoting.ServerRemoteSession System.Management.Automation.Remoting.ServerRemoteSessionDSHandlerStateMachine System.Management.Automation.Remoting.ServerRemoteSessionDataStructureHandler System.Management.Automation.Remoting.ServerRemoteSessionDSHandlerImpl System.Management.Automation.Remoting.WSMan.WSManServerChannelEvents System.Management.Automation.Remoting.WSMan.ActiveSessionsChangedEventArgs System.Management.Automation.Remoting.Server.AbstractServerTransportManager System.Management.Automation.Remoting.Server.AbstractServerSessionTransportManager System.Management.Automation.Remoting.Server.ServerOperationHelpers System.Management.Automation.Remoting.Server.OutOfProcessServerSessionTransportManager System.Management.Automation.Remoting.Server.OutOfProcessServerTransportManager System.Management.Automation.Remoting.Server.OutOfProcessMediatorBase System.Management.Automation.Remoting.Server.StdIOProcessMediator System.Management.Automation.Remoting.Server.NamedPipeProcessMediator System.Management.Automation.Remoting.Server.FormattedErrorTextWriter System.Management.Automation.Remoting.Server.HyperVSocketMediator System.Management.Automation.Remoting.Server.HyperVSocketErrorTextWriter System.Management.Automation.Remoting.Client.BaseClientTransportManager System.Management.Automation.Remoting.Client.BaseClientSessionTransportManager System.Management.Automation.Remoting.Client.BaseClientCommandTransportManager System.Management.Automation.Remoting.Client.ClientSessionTransportManagerBase System.Management.Automation.Remoting.Client.OutOfProcessClientSessionTransportManager System.Management.Automation.Remoting.Client.HyperVSocketClientSessionTransportManagerBase System.Management.Automation.Remoting.Client.VMHyperVSocketClientSessionTransportManager System.Management.Automation.Remoting.Client.ContainerHyperVSocketClientSessionTransportManager System.Management.Automation.Remoting.Client.SSHClientSessionTransportManager System.Management.Automation.Remoting.Client.NamedPipeClientSessionTransportManagerBase System.Management.Automation.Remoting.Client.NamedPipeClientSessionTransportManager System.Management.Automation.Remoting.Client.ContainerNamedPipeClientSessionTransportManager System.Management.Automation.Remoting.Client.OutOfProcessClientCommandTransportManager System.Management.Automation.Remoting.Client.WSManNativeApi System.Management.Automation.Remoting.Client.IWSManNativeApiFacade System.Management.Automation.Remoting.Client.WSManNativeApiFacade System.Management.Automation.Remoting.Client.WSManTransportManagerUtils System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager System.Management.Automation.Remoting.Client.WSManClientCommandTransportManager System.Management.Automation.Remoting.Internal.PSStreamObjectType System.Management.Automation.Remoting.Internal.PSStreamObject System.Management.Automation.Configuration.ConfigScope System.Management.Automation.Configuration.PowerShellConfig System.Management.Automation.Configuration.PowerShellPolicies System.Management.Automation.Configuration.PolicyBase System.Management.Automation.Configuration.ScriptExecution System.Management.Automation.Configuration.ScriptBlockLogging System.Management.Automation.Configuration.ModuleLogging System.Management.Automation.Configuration.Transcription System.Management.Automation.Configuration.UpdatableHelp System.Management.Automation.Configuration.ConsoleSessionConfiguration System.Management.Automation.Configuration.ProtectedEventLogging System.Management.Automation.Interpreter.AddInstruction System.Management.Automation.Interpreter.AddOvfInstruction System.Management.Automation.Interpreter.NewArrayInitInstruction`1[TElement] System.Management.Automation.Interpreter.NewArrayInstruction`1[TElement] System.Management.Automation.Interpreter.NewArrayBoundsInstruction System.Management.Automation.Interpreter.GetArrayItemInstruction`1[TElement] System.Management.Automation.Interpreter.SetArrayItemInstruction`1[TElement] System.Management.Automation.Interpreter.RuntimeLabel System.Management.Automation.Interpreter.BranchLabel System.Management.Automation.Interpreter.CallInstruction System.Management.Automation.Interpreter.MethodInfoCallInstruction System.Management.Automation.Interpreter.ActionCallInstruction System.Management.Automation.Interpreter.ActionCallInstruction`1[T0] System.Management.Automation.Interpreter.ActionCallInstruction`2[T0,T1] System.Management.Automation.Interpreter.ActionCallInstruction`3[T0,T1,T2] System.Management.Automation.Interpreter.ActionCallInstruction`4[T0,T1,T2,T3] System.Management.Automation.Interpreter.ActionCallInstruction`5[T0,T1,T2,T3,T4] System.Management.Automation.Interpreter.ActionCallInstruction`6[T0,T1,T2,T3,T4,T5] System.Management.Automation.Interpreter.ActionCallInstruction`7[T0,T1,T2,T3,T4,T5,T6] System.Management.Automation.Interpreter.ActionCallInstruction`8[T0,T1,T2,T3,T4,T5,T6,T7] System.Management.Automation.Interpreter.ActionCallInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,T8] System.Management.Automation.Interpreter.FuncCallInstruction`1[TRet] System.Management.Automation.Interpreter.FuncCallInstruction`2[T0,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`3[T0,T1,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`4[T0,T1,T2,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`5[T0,T1,T2,T3,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`6[T0,T1,T2,T3,T4,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`7[T0,T1,T2,T3,T4,T5,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`8[T0,T1,T2,T3,T4,T5,T6,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`10[T0,T1,T2,T3,T4,T5,T6,T7,T8,TRet] System.Management.Automation.Interpreter.OffsetInstruction System.Management.Automation.Interpreter.BranchFalseInstruction System.Management.Automation.Interpreter.BranchTrueInstruction System.Management.Automation.Interpreter.CoalescingBranchInstruction System.Management.Automation.Interpreter.BranchInstruction System.Management.Automation.Interpreter.IndexedBranchInstruction System.Management.Automation.Interpreter.GotoInstruction System.Management.Automation.Interpreter.EnterTryCatchFinallyInstruction System.Management.Automation.Interpreter.EnterFinallyInstruction System.Management.Automation.Interpreter.LeaveFinallyInstruction System.Management.Automation.Interpreter.EnterExceptionHandlerInstruction System.Management.Automation.Interpreter.LeaveExceptionHandlerInstruction System.Management.Automation.Interpreter.LeaveFaultInstruction System.Management.Automation.Interpreter.ThrowInstruction System.Management.Automation.Interpreter.SwitchInstruction System.Management.Automation.Interpreter.EnterLoopInstruction System.Management.Automation.Interpreter.CompiledLoopInstruction System.Management.Automation.Interpreter.DivInstruction System.Management.Automation.Interpreter.DynamicInstructionN System.Management.Automation.Interpreter.DynamicInstruction`1[TRet] System.Management.Automation.Interpreter.DynamicInstruction`2[T0,TRet] System.Management.Automation.Interpreter.DynamicInstruction`3[T0,T1,TRet] System.Management.Automation.Interpreter.DynamicInstruction`4[T0,T1,T2,TRet] System.Management.Automation.Interpreter.DynamicInstruction`5[T0,T1,T2,T3,TRet] System.Management.Automation.Interpreter.DynamicInstruction`6[T0,T1,T2,T3,T4,TRet] System.Management.Automation.Interpreter.DynamicInstruction`7[T0,T1,T2,T3,T4,T5,TRet] System.Management.Automation.Interpreter.DynamicInstruction`8[T0,T1,T2,T3,T4,T5,T6,TRet] System.Management.Automation.Interpreter.DynamicInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,TRet] System.Management.Automation.Interpreter.DynamicInstruction`10[T0,T1,T2,T3,T4,T5,T6,T7,T8,TRet] System.Management.Automation.Interpreter.DynamicInstruction`11[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,TRet] System.Management.Automation.Interpreter.DynamicInstruction`12[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TRet] System.Management.Automation.Interpreter.DynamicInstruction`13[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TRet] System.Management.Automation.Interpreter.DynamicInstruction`14[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TRet] System.Management.Automation.Interpreter.DynamicInstruction`15[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TRet] System.Management.Automation.Interpreter.DynamicInstruction`16[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TRet] System.Management.Automation.Interpreter.DynamicSplatInstruction System.Management.Automation.Interpreter.EqualInstruction System.Management.Automation.Interpreter.LoadStaticFieldInstruction System.Management.Automation.Interpreter.LoadFieldInstruction System.Management.Automation.Interpreter.StoreFieldInstruction System.Management.Automation.Interpreter.StoreStaticFieldInstruction System.Management.Automation.Interpreter.GreaterThanInstruction System.Management.Automation.Interpreter.ILightCallSiteBinder System.Management.Automation.Interpreter.IInstructionProvider System.Management.Automation.Interpreter.Instruction System.Management.Automation.Interpreter.NotInstruction System.Management.Automation.Interpreter.InstructionFactory System.Management.Automation.Interpreter.InstructionFactory`1[T] System.Management.Automation.Interpreter.InstructionArray System.Management.Automation.Interpreter.InstructionList System.Management.Automation.Interpreter.InterpretedFrame System.Management.Automation.Interpreter.Interpreter System.Management.Automation.Interpreter.LabelInfo System.Management.Automation.Interpreter.LabelScopeKind System.Management.Automation.Interpreter.LabelScopeInfo System.Management.Automation.Interpreter.LessThanInstruction System.Management.Automation.Interpreter.ExceptionHandler System.Management.Automation.Interpreter.TryCatchFinallyHandler System.Management.Automation.Interpreter.RethrowException System.Management.Automation.Interpreter.DebugInfo System.Management.Automation.Interpreter.InterpretedFrameInfo System.Management.Automation.Interpreter.LightCompiler System.Management.Automation.Interpreter.LightDelegateCreator System.Management.Automation.Interpreter.LightLambdaCompileEventArgs System.Management.Automation.Interpreter.LightLambda System.Management.Automation.Interpreter.LightLambdaClosureVisitor System.Management.Automation.Interpreter.IBoxableInstruction System.Management.Automation.Interpreter.LocalAccessInstruction System.Management.Automation.Interpreter.LoadLocalInstruction System.Management.Automation.Interpreter.LoadLocalBoxedInstruction System.Management.Automation.Interpreter.LoadLocalFromClosureInstruction System.Management.Automation.Interpreter.LoadLocalFromClosureBoxedInstruction System.Management.Automation.Interpreter.AssignLocalInstruction System.Management.Automation.Interpreter.StoreLocalInstruction System.Management.Automation.Interpreter.AssignLocalBoxedInstruction System.Management.Automation.Interpreter.StoreLocalBoxedInstruction System.Management.Automation.Interpreter.AssignLocalToClosureInstruction System.Management.Automation.Interpreter.InitializeLocalInstruction System.Management.Automation.Interpreter.RuntimeVariablesInstruction System.Management.Automation.Interpreter.LocalVariable System.Management.Automation.Interpreter.LocalDefinition System.Management.Automation.Interpreter.LocalVariables System.Management.Automation.Interpreter.LoopCompiler System.Management.Automation.Interpreter.MulInstruction System.Management.Automation.Interpreter.MulOvfInstruction System.Management.Automation.Interpreter.NotEqualInstruction System.Management.Automation.Interpreter.NumericConvertInstruction System.Management.Automation.Interpreter.UpdatePositionInstruction System.Management.Automation.Interpreter.RuntimeVariables System.Management.Automation.Interpreter.LoadObjectInstruction System.Management.Automation.Interpreter.LoadCachedObjectInstruction System.Management.Automation.Interpreter.PopInstruction System.Management.Automation.Interpreter.DupInstruction System.Management.Automation.Interpreter.SubInstruction System.Management.Automation.Interpreter.SubOvfInstruction System.Management.Automation.Interpreter.CreateDelegateInstruction System.Management.Automation.Interpreter.NewInstruction System.Management.Automation.Interpreter.DefaultValueInstruction`1[T] System.Management.Automation.Interpreter.TypeIsInstruction`1[T] System.Management.Automation.Interpreter.TypeAsInstruction`1[T] System.Management.Automation.Interpreter.TypeEqualsInstruction System.Management.Automation.Interpreter.TypeUtils System.Management.Automation.Interpreter.ArrayUtils System.Management.Automation.Interpreter.DelegateHelpers System.Management.Automation.Interpreter.ScriptingRuntimeHelpers System.Management.Automation.Interpreter.ArgumentArray System.Management.Automation.Interpreter.ExceptionHelpers System.Management.Automation.Interpreter.HybridReferenceDictionary`2[TKey,TValue] System.Management.Automation.Interpreter.CacheDict`2[TKey,TValue] System.Management.Automation.Interpreter.ThreadLocal`1[T] System.Management.Automation.Interpreter.Assert System.Management.Automation.Interpreter.ExpressionAccess System.Management.Automation.Interpreter.Utils System.Management.Automation.Interpreter.CollectionExtension System.Management.Automation.Interpreter.ListEqualityComparer`1[T] System.Management.Automation.PSTasks.PSTask System.Management.Automation.PSTasks.PSJobTask System.Management.Automation.PSTasks.PSTaskBase System.Management.Automation.PSTasks.PSTaskDataStreamWriter System.Management.Automation.PSTasks.PSTaskPool System.Management.Automation.PSTasks.PSTaskJob System.Management.Automation.PSTasks.PSTaskChildDebugger System.Management.Automation.PSTasks.PSTaskChildJob System.Management.Automation.Host.ChoiceDescription System.Management.Automation.Host.FieldDescription System.Management.Automation.Host.PSHost System.Management.Automation.Host.IHostSupportsInteractiveSession System.Management.Automation.Host.Coordinates System.Management.Automation.Host.Size System.Management.Automation.Host.ReadKeyOptions System.Management.Automation.Host.ControlKeyStates System.Management.Automation.Host.KeyInfo System.Management.Automation.Host.Rectangle System.Management.Automation.Host.BufferCell System.Management.Automation.Host.BufferCellType System.Management.Automation.Host.PSHostRawUserInterface System.Management.Automation.Host.PSHostUserInterface System.Management.Automation.Host.TranscriptionData System.Management.Automation.Host.TranscriptionOption System.Management.Automation.Host.IHostUISupportsMultipleChoiceSelection System.Management.Automation.Host.HostUIHelperMethods System.Management.Automation.Host.HostException System.Management.Automation.Host.PromptingException System.Management.Automation.Runspaces.AsyncResult System.Management.Automation.Runspaces.Command System.Management.Automation.Runspaces.PipelineResultTypes System.Management.Automation.Runspaces.CommandCollection System.Management.Automation.Runspaces.InvalidRunspaceStateException System.Management.Automation.Runspaces.RunspaceState System.Management.Automation.Runspaces.PSThreadOptions System.Management.Automation.Runspaces.RunspaceStateInfo System.Management.Automation.Runspaces.RunspaceStateEventArgs System.Management.Automation.Runspaces.RunspaceAvailability System.Management.Automation.Runspaces.RunspaceAvailabilityEventArgs System.Management.Automation.Runspaces.RunspaceCapability System.Management.Automation.Runspaces.Runspace System.Management.Automation.Runspaces.SessionStateProxy System.Management.Automation.Runspaces.RunspaceBase System.Management.Automation.Runspaces.RunspaceFactory System.Management.Automation.Runspaces.LocalRunspace System.Management.Automation.Runspaces.StopJobOperationHelper System.Management.Automation.Runspaces.CloseOrDisconnectRunspaceOperationHelper System.Management.Automation.Runspaces.RunspaceOpenModuleLoadException System.Management.Automation.Runspaces.LocalPipeline System.Management.Automation.Runspaces.PipelineThread System.Management.Automation.Runspaces.PipelineStopper System.Management.Automation.Runspaces.CommandParameter System.Management.Automation.Runspaces.CommandParameterCollection System.Management.Automation.Runspaces.InvalidPipelineStateException System.Management.Automation.Runspaces.PipelineState System.Management.Automation.Runspaces.PipelineStateInfo System.Management.Automation.Runspaces.PipelineStateEventArgs System.Management.Automation.Runspaces.Pipeline System.Management.Automation.Runspaces.PipelineBase System.Management.Automation.Runspaces.PowerShellProcessInstance System.Management.Automation.Runspaces.InvalidRunspacePoolStateException System.Management.Automation.Runspaces.RunspacePoolState System.Management.Automation.Runspaces.RunspacePoolStateChangedEventArgs System.Management.Automation.Runspaces.RunspaceCreatedEventArgs System.Management.Automation.Runspaces.RunspacePoolAvailability System.Management.Automation.Runspaces.RunspacePoolCapability System.Management.Automation.Runspaces.RunspacePoolAsyncResult System.Management.Automation.Runspaces.GetRunspaceAsyncResult System.Management.Automation.Runspaces.RunspacePool System.Management.Automation.Runspaces.EarlyStartup System.Management.Automation.Runspaces.InitialSessionStateEntry System.Management.Automation.Runspaces.ConstrainedSessionStateEntry System.Management.Automation.Runspaces.SessionStateCommandEntry System.Management.Automation.Runspaces.SessionStateTypeEntry System.Management.Automation.Runspaces.SessionStateFormatEntry System.Management.Automation.Runspaces.SessionStateAssemblyEntry System.Management.Automation.Runspaces.SessionStateCmdletEntry System.Management.Automation.Runspaces.SessionStateProviderEntry System.Management.Automation.Runspaces.SessionStateScriptEntry System.Management.Automation.Runspaces.SessionStateAliasEntry System.Management.Automation.Runspaces.SessionStateApplicationEntry System.Management.Automation.Runspaces.SessionStateFunctionEntry System.Management.Automation.Runspaces.SessionStateVariableEntry System.Management.Automation.Runspaces.InitialSessionStateEntryCollection`1[T] System.Management.Automation.Runspaces.InitialSessionState System.Management.Automation.Runspaces.PSSnapInHelpers System.Management.Automation.Runspaces.RunspaceEventSource System.Management.Automation.Runspaces.TargetMachineType System.Management.Automation.Runspaces.PSSession System.Management.Automation.Runspaces.RemotingErrorRecord System.Management.Automation.Runspaces.RemotingProgressRecord System.Management.Automation.Runspaces.RemotingWarningRecord System.Management.Automation.Runspaces.RemotingDebugRecord System.Management.Automation.Runspaces.RemotingVerboseRecord System.Management.Automation.Runspaces.RemotingInformationRecord System.Management.Automation.Runspaces.AuthenticationMechanism System.Management.Automation.Runspaces.PSSessionConfigurationAccessMode System.Management.Automation.Runspaces.OutputBufferingMode System.Management.Automation.Runspaces.RunspaceConnectionInfo System.Management.Automation.Runspaces.WSManConnectionInfo System.Management.Automation.Runspaces.NewProcessConnectionInfo System.Management.Automation.Runspaces.NamedPipeConnectionInfo System.Management.Automation.Runspaces.SSHConnectionInfo System.Management.Automation.Runspaces.VMConnectionInfo System.Management.Automation.Runspaces.ContainerConnectionInfo System.Management.Automation.Runspaces.ContainerProcess System.Management.Automation.Runspaces.TypesPs1xmlReader System.Management.Automation.Runspaces.ConsolidatedString System.Management.Automation.Runspaces.LoadContext System.Management.Automation.Runspaces.TypeTableLoadException System.Management.Automation.Runspaces.TypeData System.Management.Automation.Runspaces.TypeMemberData System.Management.Automation.Runspaces.NotePropertyData System.Management.Automation.Runspaces.AliasPropertyData System.Management.Automation.Runspaces.ScriptPropertyData System.Management.Automation.Runspaces.CodePropertyData System.Management.Automation.Runspaces.ScriptMethodData System.Management.Automation.Runspaces.CodeMethodData System.Management.Automation.Runspaces.PropertySetData System.Management.Automation.Runspaces.MemberSetData System.Management.Automation.Runspaces.TypeTable System.Management.Automation.Runspaces.FormatTableLoadException System.Management.Automation.Runspaces.FormatTable System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml System.Management.Automation.Runspaces.Event_Format_Ps1Xml System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml System.Management.Automation.Runspaces.Help_Format_Ps1Xml System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml System.Management.Automation.Runspaces.Registry_Format_Ps1Xml System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml System.Management.Automation.Runspaces.PSConsoleLoadException System.Management.Automation.Runspaces.PSSnapInException System.Management.Automation.Runspaces.PSSnapInTypeAndFormatErrors System.Management.Automation.Runspaces.FormatAndTypeDataHelper System.Management.Automation.Runspaces.PipelineReader`1[T] System.Management.Automation.Runspaces.PipelineWriter System.Management.Automation.Runspaces.DiscardingPipelineWriter System.Management.Automation.Runspaces.Internal.RunspacePoolInternal System.Management.Automation.Runspaces.Internal.ClientRemotePowerShell System.Management.Automation.Runspaces.Internal.PSConnectionRetryStatus System.Management.Automation.Runspaces.Internal.PSConnectionRetryStatusEventArgs System.Management.Automation.Runspaces.Internal.RemoteRunspacePoolInternal System.Management.Automation.Runspaces.Internal.ConnectCommandInfo System.Management.Automation.Runspaces.Internal.RemoteRunspacePoolEnumeration System.Management.Automation.Language.AstParameterArgumentType System.Management.Automation.Language.AstParameterArgumentPair System.Management.Automation.Language.PipeObjectPair System.Management.Automation.Language.AstArrayPair System.Management.Automation.Language.FakePair System.Management.Automation.Language.SwitchPair System.Management.Automation.Language.AstPair System.Management.Automation.Language.StaticParameterBinder System.Management.Automation.Language.StaticBindingResult System.Management.Automation.Language.ParameterBindingResult System.Management.Automation.Language.StaticBindingError System.Management.Automation.Language.PseudoBindingInfoType System.Management.Automation.Language.PseudoBindingInfo System.Management.Automation.Language.PseudoParameterBinder System.Management.Automation.Language.CodeGeneration System.Management.Automation.Language.NullString System.Management.Automation.Language.ISupportsAssignment System.Management.Automation.Language.IAssignableValue System.Management.Automation.Language.IParameterMetadataProvider System.Management.Automation.Language.Ast System.Management.Automation.Language.SequencePointAst System.Management.Automation.Language.ErrorStatementAst System.Management.Automation.Language.ErrorExpressionAst System.Management.Automation.Language.ScriptRequirements System.Management.Automation.Language.ScriptBlockAst System.Management.Automation.Language.ParamBlockAst System.Management.Automation.Language.NamedBlockAst System.Management.Automation.Language.NamedAttributeArgumentAst System.Management.Automation.Language.AttributeBaseAst System.Management.Automation.Language.AttributeAst System.Management.Automation.Language.TypeConstraintAst System.Management.Automation.Language.ParameterAst System.Management.Automation.Language.StatementBlockAst System.Management.Automation.Language.StatementAst System.Management.Automation.Language.TypeAttributes System.Management.Automation.Language.TypeDefinitionAst System.Management.Automation.Language.UsingStatementKind System.Management.Automation.Language.UsingStatementAst System.Management.Automation.Language.MemberAst System.Management.Automation.Language.PropertyAttributes System.Management.Automation.Language.PropertyMemberAst System.Management.Automation.Language.MethodAttributes System.Management.Automation.Language.FunctionMemberAst System.Management.Automation.Language.SpecialMemberFunctionType System.Management.Automation.Language.CompilerGeneratedMemberFunctionAst System.Management.Automation.Language.FunctionDefinitionAst System.Management.Automation.Language.IfStatementAst System.Management.Automation.Language.DataStatementAst System.Management.Automation.Language.LabeledStatementAst System.Management.Automation.Language.LoopStatementAst System.Management.Automation.Language.ForEachFlags System.Management.Automation.Language.ForEachStatementAst System.Management.Automation.Language.ForStatementAst System.Management.Automation.Language.DoWhileStatementAst System.Management.Automation.Language.DoUntilStatementAst System.Management.Automation.Language.WhileStatementAst System.Management.Automation.Language.SwitchFlags System.Management.Automation.Language.SwitchStatementAst System.Management.Automation.Language.CatchClauseAst System.Management.Automation.Language.TryStatementAst System.Management.Automation.Language.TrapStatementAst System.Management.Automation.Language.BreakStatementAst System.Management.Automation.Language.ContinueStatementAst System.Management.Automation.Language.ReturnStatementAst System.Management.Automation.Language.ExitStatementAst System.Management.Automation.Language.ThrowStatementAst System.Management.Automation.Language.ChainableAst System.Management.Automation.Language.PipelineChainAst System.Management.Automation.Language.PipelineBaseAst System.Management.Automation.Language.PipelineAst System.Management.Automation.Language.CommandElementAst System.Management.Automation.Language.CommandParameterAst System.Management.Automation.Language.CommandBaseAst System.Management.Automation.Language.CommandAst System.Management.Automation.Language.CommandExpressionAst System.Management.Automation.Language.RedirectionAst System.Management.Automation.Language.RedirectionStream System.Management.Automation.Language.MergingRedirectionAst System.Management.Automation.Language.FileRedirectionAst System.Management.Automation.Language.AssignmentStatementAst System.Management.Automation.Language.ConfigurationType System.Management.Automation.Language.ConfigurationDefinitionAst System.Management.Automation.Language.DynamicKeywordStatementAst System.Management.Automation.Language.ExpressionAst System.Management.Automation.Language.TernaryExpressionAst System.Management.Automation.Language.BinaryExpressionAst System.Management.Automation.Language.UnaryExpressionAst System.Management.Automation.Language.BlockStatementAst System.Management.Automation.Language.AttributedExpressionAst System.Management.Automation.Language.ConvertExpressionAst System.Management.Automation.Language.MemberExpressionAst System.Management.Automation.Language.InvokeMemberExpressionAst System.Management.Automation.Language.BaseCtorInvokeMemberExpressionAst System.Management.Automation.Language.ITypeName System.Management.Automation.Language.ISupportsTypeCaching System.Management.Automation.Language.TypeName System.Management.Automation.Language.GenericTypeName System.Management.Automation.Language.ArrayTypeName System.Management.Automation.Language.ReflectionTypeName System.Management.Automation.Language.TypeExpressionAst System.Management.Automation.Language.VariableExpressionAst System.Management.Automation.Language.ConstantExpressionAst System.Management.Automation.Language.StringConstantType System.Management.Automation.Language.StringConstantExpressionAst System.Management.Automation.Language.ExpandableStringExpressionAst System.Management.Automation.Language.ScriptBlockExpressionAst System.Management.Automation.Language.ArrayLiteralAst System.Management.Automation.Language.HashtableAst System.Management.Automation.Language.ArrayExpressionAst System.Management.Automation.Language.ParenExpressionAst System.Management.Automation.Language.SubExpressionAst System.Management.Automation.Language.UsingExpressionAst System.Management.Automation.Language.IndexExpressionAst System.Management.Automation.Language.CommentHelpInfo System.Management.Automation.Language.ICustomAstVisitor System.Management.Automation.Language.ICustomAstVisitor2 System.Management.Automation.Language.AstSearcher System.Management.Automation.Language.DefaultCustomAstVisitor System.Management.Automation.Language.DefaultCustomAstVisitor2 System.Management.Automation.Language.SpecialChars System.Management.Automation.Language.CharTraits System.Management.Automation.Language.CharExtensions System.Management.Automation.Language.CachedReflectionInfo System.Management.Automation.Language.ExpressionCache System.Management.Automation.Language.ExpressionExtensions System.Management.Automation.Language.FunctionContext System.Management.Automation.Language.Compiler System.Management.Automation.Language.MemberAssignableValue System.Management.Automation.Language.InvokeMemberAssignableValue System.Management.Automation.Language.IndexAssignableValue System.Management.Automation.Language.ArrayAssignableValue System.Management.Automation.Language.PowerShellLoopExpression System.Management.Automation.Language.EnterLoopExpression System.Management.Automation.Language.UpdatePositionExpr System.Management.Automation.Language.IsConstantValueVisitor System.Management.Automation.Language.ConstantValueVisitor System.Management.Automation.Language.ParseMode System.Management.Automation.Language.Parser System.Management.Automation.Language.ParseError System.Management.Automation.Language.ParserEventSource System.Management.Automation.Language.IScriptPosition System.Management.Automation.Language.IScriptExtent System.Management.Automation.Language.PositionUtilities System.Management.Automation.Language.PositionHelper System.Management.Automation.Language.InternalScriptPosition System.Management.Automation.Language.InternalScriptExtent System.Management.Automation.Language.EmptyScriptPosition System.Management.Automation.Language.EmptyScriptExtent System.Management.Automation.Language.ScriptPosition System.Management.Automation.Language.ScriptExtent System.Management.Automation.Language.AstVisitAction System.Management.Automation.Language.AstVisitor System.Management.Automation.Language.AstVisitor2 System.Management.Automation.Language.IAstPostVisitHandler System.Management.Automation.Language.TypeDefiner System.Management.Automation.Language.NoRunspaceAffinityAttribute System.Management.Automation.Language.IsSafeValueVisitor System.Management.Automation.Language.GetSafeValueVisitor System.Management.Automation.Language.SemanticChecks System.Management.Automation.Language.DscResourceChecker System.Management.Automation.Language.RestrictedLanguageChecker System.Management.Automation.Language.ScopeType System.Management.Automation.Language.TypeLookupResult System.Management.Automation.Language.Scope System.Management.Automation.Language.SymbolTable System.Management.Automation.Language.SymbolResolver System.Management.Automation.Language.SymbolResolvePostActionVisitor System.Management.Automation.Language.TokenKind System.Management.Automation.Language.TokenFlags System.Management.Automation.Language.TokenTraits System.Management.Automation.Language.Token System.Management.Automation.Language.NumberToken System.Management.Automation.Language.ParameterToken System.Management.Automation.Language.VariableToken System.Management.Automation.Language.StringToken System.Management.Automation.Language.StringLiteralToken System.Management.Automation.Language.StringExpandableToken System.Management.Automation.Language.LabelToken System.Management.Automation.Language.RedirectionToken System.Management.Automation.Language.InputRedirectionToken System.Management.Automation.Language.MergingRedirectionToken System.Management.Automation.Language.FileRedirectionToken System.Management.Automation.Language.UnscannedSubExprToken System.Management.Automation.Language.DynamicKeywordNameMode System.Management.Automation.Language.DynamicKeywordBodyMode System.Management.Automation.Language.DynamicKeyword System.Management.Automation.Language.DynamicKeywordExtension System.Management.Automation.Language.DynamicKeywordProperty System.Management.Automation.Language.DynamicKeywordParameter System.Management.Automation.Language.TokenizerMode System.Management.Automation.Language.NumberSuffixFlags System.Management.Automation.Language.NumberFormat System.Management.Automation.Language.TokenizerState System.Management.Automation.Language.Tokenizer System.Management.Automation.Language.TypeResolver System.Management.Automation.Language.TypeResolutionState System.Management.Automation.Language.TypeCache System.Management.Automation.Language.VariablePathExtensions System.Management.Automation.Language.VariableAnalysisDetails System.Management.Automation.Language.FindAllVariablesVisitor System.Management.Automation.Language.VariableAnalysis System.Management.Automation.Language.DynamicMetaObjectExtensions System.Management.Automation.Language.DynamicMetaObjectBinderExtensions System.Management.Automation.Language.BinderUtils System.Management.Automation.Language.PSEnumerableBinder System.Management.Automation.Language.PSToObjectArrayBinder System.Management.Automation.Language.PSPipeWriterBinder System.Management.Automation.Language.PSArrayAssignmentRHSBinder System.Management.Automation.Language.PSToStringBinder System.Management.Automation.Language.PSPipelineResultToBoolBinder System.Management.Automation.Language.PSInvokeDynamicMemberBinder System.Management.Automation.Language.PSDynamicGetOrSetBinderKeyComparer System.Management.Automation.Language.PSGetDynamicMemberBinder System.Management.Automation.Language.PSSetDynamicMemberBinder System.Management.Automation.Language.PSSwitchClauseEvalBinder System.Management.Automation.Language.PSAttributeGenerator System.Management.Automation.Language.PSCustomObjectConverter System.Management.Automation.Language.PSDynamicConvertBinder System.Management.Automation.Language.PSVariableAssignmentBinder System.Management.Automation.Language.PSBinaryOperationBinder System.Management.Automation.Language.PSUnaryOperationBinder System.Management.Automation.Language.PSConvertBinder System.Management.Automation.Language.PSGetIndexBinder System.Management.Automation.Language.PSSetIndexBinder System.Management.Automation.Language.PSGetMemberBinder System.Management.Automation.Language.PSSetMemberBinder System.Management.Automation.Language.PSInvokeBinder System.Management.Automation.Language.PSInvokeMemberBinder System.Management.Automation.Language.PSCreateInstanceBinder System.Management.Automation.Language.PSInvokeBaseCtorBinder System.Management.Automation.InteropServices.ComEventsSink System.Management.Automation.InteropServices.ComEventsMethod System.Management.Automation.InteropServices.IDispatch System.Management.Automation.InteropServices.InvokeFlags System.Management.Automation.InteropServices.Variant System.Management.Automation.ComInterop.ArgBuilder System.Management.Automation.ComInterop.BoolArgBuilder System.Management.Automation.ComInterop.BoundDispEvent System.Management.Automation.ComInterop.CollectionExtensions System.Management.Automation.ComInterop.ComBinder System.Management.Automation.ComInterop.ComBinderHelpers System.Management.Automation.ComInterop.ComClassMetaObject System.Management.Automation.ComInterop.ComEventDesc System.Management.Automation.ComInterop.ComEventSinksContainer System.Management.Automation.ComInterop.ComFallbackMetaObject System.Management.Automation.ComInterop.ComUnwrappedMetaObject System.Management.Automation.ComInterop.ComHresults System.Management.Automation.ComInterop.IDispatch System.Management.Automation.ComInterop.IProvideClassInfo System.Management.Automation.ComInterop.ComDispIds System.Management.Automation.ComInterop.ComInvokeAction System.Management.Automation.ComInterop.SplatInvokeBinder System.Management.Automation.ComInterop.ComInvokeBinder System.Management.Automation.ComInterop.ComMetaObject System.Management.Automation.ComInterop.ComMethodDesc System.Management.Automation.ComInterop.ComObject System.Management.Automation.ComInterop.ComRuntimeHelpers System.Management.Automation.ComInterop.UnsafeMethods System.Management.Automation.ComInterop.ComTypeClassDesc System.Management.Automation.ComInterop.ComTypeDesc System.Management.Automation.ComInterop.ComTypeEnumDesc System.Management.Automation.ComInterop.ComTypeLibDesc System.Management.Automation.ComInterop.ConversionArgBuilder System.Management.Automation.ComInterop.ConvertArgBuilder System.Management.Automation.ComInterop.ConvertibleArgBuilder System.Management.Automation.ComInterop.CurrencyArgBuilder System.Management.Automation.ComInterop.DateTimeArgBuilder System.Management.Automation.ComInterop.DispatchArgBuilder System.Management.Automation.ComInterop.DispCallable System.Management.Automation.ComInterop.DispCallableMetaObject System.Management.Automation.ComInterop.ErrorArgBuilder System.Management.Automation.ComInterop.Error System.Management.Automation.ComInterop.ExcepInfo System.Management.Automation.ComInterop.Helpers System.Management.Automation.ComInterop.Requires System.Management.Automation.ComInterop.IDispatchComObject System.Management.Automation.ComInterop.IDispatchMetaObject System.Management.Automation.ComInterop.IPseudoComObject System.Management.Automation.ComInterop.NullArgBuilder System.Management.Automation.ComInterop.SimpleArgBuilder System.Management.Automation.ComInterop.SplatCallSite System.Management.Automation.ComInterop.StringArgBuilder System.Management.Automation.ComInterop.TypeEnumMetaObject System.Management.Automation.ComInterop.TypeLibMetaObject System.Management.Automation.ComInterop.TypeUtils System.Management.Automation.ComInterop.UnknownArgBuilder System.Management.Automation.ComInterop.VarEnumSelector System.Management.Automation.ComInterop.VariantArgBuilder System.Management.Automation.ComInterop.VariantArray1 System.Management.Automation.ComInterop.VariantArray2 System.Management.Automation.ComInterop.VariantArray4 System.Management.Automation.ComInterop.VariantArray8 System.Management.Automation.ComInterop.VariantArray System.Management.Automation.ComInterop.VariantBuilder System.Management.Automation.Internal.PSTransactionManager System.Management.Automation.Internal.PowerShellModuleAssemblyAnalyzer System.Management.Automation.Internal.CmdletMetadataAttribute System.Management.Automation.Internal.ParsingBaseAttribute System.Management.Automation.Internal.AutomationNull System.Management.Automation.Internal.InternalCommand System.Management.Automation.Internal.CommonParameters System.Management.Automation.Internal.DebuggerUtils System.Management.Automation.Internal.PSMonitorRunspaceType System.Management.Automation.Internal.PSMonitorRunspaceInfo System.Management.Automation.Internal.PSStandaloneMonitorRunspaceInfo System.Management.Automation.Internal.PSEmbeddedMonitorRunspaceInfo System.Management.Automation.Internal.ModuleUtils System.Management.Automation.Internal.CommandScore System.Management.Automation.Internal.VariableStreamKind System.Management.Automation.Internal.Pipe System.Management.Automation.Internal.PipelineProcessor System.Management.Automation.Internal.ClientRunspacePoolDataStructureHandler System.Management.Automation.Internal.ClientPowerShellDataStructureHandler System.Management.Automation.Internal.InformationalMessage System.Management.Automation.Internal.RobustConnectionProgress System.Management.Automation.Internal.PSKeyword System.Management.Automation.Internal.PSLevel System.Management.Automation.Internal.PSOpcode System.Management.Automation.Internal.PSEventId System.Management.Automation.Internal.PSChannel System.Management.Automation.Internal.PSTask System.Management.Automation.Internal.PSEventVersion System.Management.Automation.Internal.PSETWBinaryBlob System.Management.Automation.Internal.SessionStateKeeper System.Management.Automation.Internal.ScriptBlockMemberMethodWrapper System.Management.Automation.Internal.ClassOps System.Management.Automation.Internal.ShouldProcessParameters System.Management.Automation.Internal.TransactionParameters System.Management.Automation.Internal.InternalTestHooks System.Management.Automation.Internal.HistoryStack`1[T] System.Management.Automation.Internal.BoundedStack`1[T] System.Management.Automation.Internal.ReadOnlyBag`1[T] System.Management.Automation.Internal.Requires System.Management.Automation.Internal.StringDecorated System.Management.Automation.Internal.ValueStringDecorated System.Management.Automation.Internal.ICabinetExtractor System.Management.Automation.Internal.ICabinetExtractorLoader System.Management.Automation.Internal.CabinetExtractorFactory System.Management.Automation.Internal.EmptyCabinetExtractor System.Management.Automation.Internal.CabinetExtractor System.Management.Automation.Internal.CabinetExtractorLoader System.Management.Automation.Internal.CabinetNativeApi System.Management.Automation.Internal.AlternateStreamData System.Management.Automation.Internal.AlternateDataStreamUtilities System.Management.Automation.Internal.CopyFileRemoteUtils System.Management.Automation.Internal.SaferPolicy System.Management.Automation.Internal.SecuritySupport System.Management.Automation.Internal.CertificateFilterInfo System.Management.Automation.Internal.PSCryptoNativeConverter System.Management.Automation.Internal.PSCryptoException System.Management.Automation.Internal.PSRSACryptoServiceProvider System.Management.Automation.Internal.PSRemotingCryptoHelper System.Management.Automation.Internal.PSRemotingCryptoHelperServer System.Management.Automation.Internal.PSRemotingCryptoHelperClient System.Management.Automation.Internal.TestHelperSession System.Management.Automation.Internal.GraphicalHostReflectionWrapper System.Management.Automation.Internal.ObjectReaderBase`1[T] System.Management.Automation.Internal.ObjectReader System.Management.Automation.Internal.PSObjectReader System.Management.Automation.Internal.PSDataCollectionReader`2[T,TResult] System.Management.Automation.Internal.PSDataCollectionPipelineReader`2[T,TReturn] System.Management.Automation.Internal.ObjectStreamBase System.Management.Automation.Internal.ObjectStream System.Management.Automation.Internal.PSDataCollectionStream`1[T] System.Management.Automation.Internal.ObjectWriter System.Management.Automation.Internal.PSDataCollectionWriter`1[T] System.Management.Automation.Internal.StringUtil System.Management.Automation.Internal.Host.InternalHost System.Management.Automation.Internal.Host.InternalHostRawUserInterface System.Management.Automation.Internal.Host.InternalHostUserInterface Microsoft.PowerShell.NativeCultureResolver Microsoft.PowerShell.ToStringCodeMethods Microsoft.PowerShell.AdapterCodeMethods Microsoft.PowerShell.DefaultHost Microsoft.PowerShell.ProcessCodeMethods Microsoft.PowerShell.DeserializingTypeConverter Microsoft.PowerShell.SecureStringHelper Microsoft.PowerShell.EncryptionResult Microsoft.PowerShell.DataProtectionScope Microsoft.PowerShell.ProtectedData Microsoft.PowerShell.CAPI Microsoft.PowerShell.PSAuthorizationManager Microsoft.PowerShell.ExecutionPolicy Microsoft.PowerShell.ExecutionPolicyScope Microsoft.PowerShell.Telemetry.TelemetryType Microsoft.PowerShell.Telemetry.NameObscurerTelemetryInitializer Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry Microsoft.PowerShell.DesiredStateConfiguration.ArgumentToConfigurationDataTransformationAttribute Microsoft.PowerShell.DesiredStateConfiguration.CimDSCParser Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscRemoteOperationsClass Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCacheEntry Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache Microsoft.PowerShell.Commands.EnableDisableExperimentalFeatureCommandBase Microsoft.PowerShell.Commands.EnableExperimentalFeatureCommand Microsoft.PowerShell.Commands.DisableExperimentalFeatureCommand Microsoft.PowerShell.Commands.ExperimentalFeatureConfigHelper Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand Microsoft.PowerShell.Commands.GetCommandCommand Microsoft.PowerShell.Commands.NounArgumentCompleter Microsoft.PowerShell.Commands.HistoryInfo Microsoft.PowerShell.Commands.History Microsoft.PowerShell.Commands.GetHistoryCommand Microsoft.PowerShell.Commands.InvokeHistoryCommand Microsoft.PowerShell.Commands.AddHistoryCommand Microsoft.PowerShell.Commands.ClearHistoryCommand Microsoft.PowerShell.Commands.DynamicPropertyGetter Microsoft.PowerShell.Commands.ForEachObjectCommand Microsoft.PowerShell.Commands.WhereObjectCommand Microsoft.PowerShell.Commands.SetPSDebugCommand Microsoft.PowerShell.Commands.SetStrictModeCommand Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter Microsoft.PowerShell.Commands.ExportModuleMemberCommand Microsoft.PowerShell.Commands.GetModuleCommand Microsoft.PowerShell.Commands.PSEditionArgumentCompleter Microsoft.PowerShell.Commands.ImportModuleCommand Microsoft.PowerShell.Commands.ModuleCmdletBase Microsoft.PowerShell.Commands.BinaryAnalysisResult Microsoft.PowerShell.Commands.ModuleSpecification Microsoft.PowerShell.Commands.ModuleSpecificationComparer Microsoft.PowerShell.Commands.NewModuleCommand Microsoft.PowerShell.Commands.NewModuleManifestCommand Microsoft.PowerShell.Commands.RemoveModuleCommand Microsoft.PowerShell.Commands.TestModuleManifestCommand Microsoft.PowerShell.Commands.ObjectEventRegistrationBase Microsoft.PowerShell.Commands.ConnectPSSessionCommand Microsoft.PowerShell.Commands.RegisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.PSSessionConfigurationCommandUtilities Microsoft.PowerShell.Commands.PSSessionConfigurationCommandBase Microsoft.PowerShell.Commands.UnregisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.GetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.SetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.DisablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSRemotingCommand Microsoft.PowerShell.Commands.DisablePSRemotingCommand Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand Microsoft.PowerShell.Commands.DebugJobCommand Microsoft.PowerShell.Commands.DisconnectPSSessionCommand Microsoft.PowerShell.Commands.EnterPSHostProcessCommand Microsoft.PowerShell.Commands.ExitPSHostProcessCommand Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand Microsoft.PowerShell.Commands.PSHostProcessInfo Microsoft.PowerShell.Commands.PSHostProcessUtils Microsoft.PowerShell.Commands.GetJobCommand Microsoft.PowerShell.Commands.GetPSSessionCommand Microsoft.PowerShell.Commands.InvokeCommandCommand Microsoft.PowerShell.Commands.NewPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.NewPSRoleCapabilityFileCommand Microsoft.PowerShell.Commands.SessionConfigurationUtils Microsoft.PowerShell.Commands.WSManConfigurationOption Microsoft.PowerShell.Commands.NewPSTransportOptionCommand Microsoft.PowerShell.Commands.NewPSSessionOptionCommand Microsoft.PowerShell.Commands.NewPSSessionCommand Microsoft.PowerShell.Commands.OpenRunspaceOperation Microsoft.PowerShell.Commands.ExitPSSessionCommand Microsoft.PowerShell.Commands.PSRemotingCmdlet Microsoft.PowerShell.Commands.SSHConnection Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet Microsoft.PowerShell.Commands.PSExecutionCmdlet Microsoft.PowerShell.Commands.PSRunspaceCmdlet Microsoft.PowerShell.Commands.ExecutionCmdletHelper Microsoft.PowerShell.Commands.ExecutionCmdletHelperRunspace Microsoft.PowerShell.Commands.ExecutionCmdletHelperComputerName Microsoft.PowerShell.Commands.PathResolver Microsoft.PowerShell.Commands.QueryRunspaces Microsoft.PowerShell.Commands.SessionFilterState Microsoft.PowerShell.Commands.EnterPSSessionCommand Microsoft.PowerShell.Commands.ReceiveJobCommand Microsoft.PowerShell.Commands.OutputProcessingState Microsoft.PowerShell.Commands.ReceivePSSessionCommand Microsoft.PowerShell.Commands.OutTarget Microsoft.PowerShell.Commands.RunspaceParameterSet Microsoft.PowerShell.Commands.RemotingCommandUtil Microsoft.PowerShell.Commands.JobCmdletBase Microsoft.PowerShell.Commands.RemoveJobCommand Microsoft.PowerShell.Commands.RemovePSSessionCommand Microsoft.PowerShell.Commands.StartJobCommand Microsoft.PowerShell.Commands.StopJobCommand Microsoft.PowerShell.Commands.TestPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.WaitJobCommand Microsoft.PowerShell.Commands.OpenMode Microsoft.PowerShell.Commands.EnumerableExpansionConversion Microsoft.PowerShell.Commands.FormatXmlWriter Microsoft.PowerShell.Commands.PSPropertyExpressionResult Microsoft.PowerShell.Commands.PSPropertyExpression Microsoft.PowerShell.Commands.FormatDefaultCommand Microsoft.PowerShell.Commands.OutNullCommand Microsoft.PowerShell.Commands.OutDefaultCommand Microsoft.PowerShell.Commands.OutHostCommand Microsoft.PowerShell.Commands.OutLineOutputCommand Microsoft.PowerShell.Commands.HelpCategoryInvalidException Microsoft.PowerShell.Commands.GetHelpCommand Microsoft.PowerShell.Commands.GetHelpCodeMethods Microsoft.PowerShell.Commands.HelpNotFoundException Microsoft.PowerShell.Commands.SaveHelpCommand Microsoft.PowerShell.Commands.ArgumentToModuleTransformationAttribute Microsoft.PowerShell.Commands.UpdatableHelpCommandBase Microsoft.PowerShell.Commands.UpdateHelpScope Microsoft.PowerShell.Commands.UpdateHelpCommand Microsoft.PowerShell.Commands.AliasProvider Microsoft.PowerShell.Commands.AliasProviderDynamicParameters Microsoft.PowerShell.Commands.EnvironmentProvider Microsoft.PowerShell.Commands.FileSystemContentReaderWriter Microsoft.PowerShell.Commands.FileStreamBackReader Microsoft.PowerShell.Commands.BackReaderEncodingNotSupportedException Microsoft.PowerShell.Commands.FileSystemProvider Microsoft.PowerShell.Commands.SafeInvokeCommand Microsoft.PowerShell.Commands.CopyItemDynamicParameters Microsoft.PowerShell.Commands.GetChildDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentDynamicParametersBase Microsoft.PowerShell.Commands.FileSystemClearContentDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentWriterDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentReaderDynamicParameters Microsoft.PowerShell.Commands.FileSystemItemProviderDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderGetItemDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderRemoveItemDynamicParameters Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods Microsoft.PowerShell.Commands.FunctionProvider Microsoft.PowerShell.Commands.FunctionProviderDynamicParameters Microsoft.PowerShell.Commands.RegistryProvider Microsoft.PowerShell.Commands.RegistryProviderSetItemDynamicParameter Microsoft.PowerShell.Commands.IRegistryWrapper Microsoft.PowerShell.Commands.RegistryWrapperUtils Microsoft.PowerShell.Commands.RegistryWrapper Microsoft.PowerShell.Commands.TransactedRegistryWrapper Microsoft.PowerShell.Commands.SessionStateProviderBase Microsoft.PowerShell.Commands.SessionStateProviderBaseContentReaderWriter Microsoft.PowerShell.Commands.VariableProvider Microsoft.PowerShell.Commands.CertificatePurpose Microsoft.PowerShell.Commands.Internal.TransactedRegistryKey Microsoft.PowerShell.Commands.Internal.TransactedRegistry Microsoft.PowerShell.Commands.Internal.TransactedRegistrySecurity Microsoft.PowerShell.Commands.Internal.RemotingErrorResources Microsoft.PowerShell.Commands.Internal.Win32Native Microsoft.PowerShell.Commands.Internal.Format.TerminatingErrorContext Microsoft.PowerShell.Commands.Internal.Format.CommandWrapper Microsoft.PowerShell.Commands.Internal.Format.FrontEndCommandBase Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommandBase Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommand Microsoft.PowerShell.Commands.Internal.Format.OuterFormatShapeCommandBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableAndListBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableBase Microsoft.PowerShell.Commands.Internal.Format.FormattingCommandLineParameters Microsoft.PowerShell.Commands.Internal.Format.ShapeSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.TableSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.WideSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.ComplexSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.ExpressionEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.AlignmentEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.WidthEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.LabelEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatStringDefinition Microsoft.PowerShell.Commands.Internal.Format.BooleanEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatParameterDefinitionKeys Microsoft.PowerShell.Commands.Internal.Format.FormatGroupByParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatParameterDefinitionBase Microsoft.PowerShell.Commands.Internal.Format.FormatTableParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatListParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatWideParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatObjectParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner Microsoft.PowerShell.Commands.Internal.Format.ColumnWidthManager Microsoft.PowerShell.Commands.Internal.Format.ComplexWriter Microsoft.PowerShell.Commands.Internal.Format.IndentationManager Microsoft.PowerShell.Commands.Internal.Format.GetWordsResult Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper Microsoft.PowerShell.Commands.Internal.Format.EnumerableExpansion Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBase Microsoft.PowerShell.Commands.Internal.Format.DatabaseLoadingInfo Microsoft.PowerShell.Commands.Internal.Format.DefaultSettingsSection Microsoft.PowerShell.Commands.Internal.Format.FormatErrorPolicy Microsoft.PowerShell.Commands.Internal.Format.ShapeSelectionDirectives Microsoft.PowerShell.Commands.Internal.Format.FormatShape Microsoft.PowerShell.Commands.Internal.Format.FormatShapeSelectionBase Microsoft.PowerShell.Commands.Internal.Format.FormatShapeSelectionOnType Microsoft.PowerShell.Commands.Internal.Format.EnumerableExpansionDirective Microsoft.PowerShell.Commands.Internal.Format.TypeGroupsSection Microsoft.PowerShell.Commands.Internal.Format.TypeGroupDefinition Microsoft.PowerShell.Commands.Internal.Format.TypeOrGroupReference Microsoft.PowerShell.Commands.Internal.Format.TypeReference Microsoft.PowerShell.Commands.Internal.Format.TypeGroupReference Microsoft.PowerShell.Commands.Internal.Format.FormatToken Microsoft.PowerShell.Commands.Internal.Format.TextToken Microsoft.PowerShell.Commands.Internal.Format.NewLineToken Microsoft.PowerShell.Commands.Internal.Format.FrameToken Microsoft.PowerShell.Commands.Internal.Format.FrameInfoDefinition Microsoft.PowerShell.Commands.Internal.Format.ExpressionToken Microsoft.PowerShell.Commands.Internal.Format.PropertyTokenBase Microsoft.PowerShell.Commands.Internal.Format.CompoundPropertyToken Microsoft.PowerShell.Commands.Internal.Format.FieldPropertyToken Microsoft.PowerShell.Commands.Internal.Format.FieldFormattingDirective Microsoft.PowerShell.Commands.Internal.Format.ControlBase Microsoft.PowerShell.Commands.Internal.Format.ControlReference Microsoft.PowerShell.Commands.Internal.Format.ControlBody Microsoft.PowerShell.Commands.Internal.Format.ControlDefinition Microsoft.PowerShell.Commands.Internal.Format.ViewDefinitionsSection Microsoft.PowerShell.Commands.Internal.Format.AppliesTo Microsoft.PowerShell.Commands.Internal.Format.GroupBy Microsoft.PowerShell.Commands.Internal.Format.StartGroup Microsoft.PowerShell.Commands.Internal.Format.FormatControlDefinitionHolder Microsoft.PowerShell.Commands.Internal.Format.ViewDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatDirective Microsoft.PowerShell.Commands.Internal.Format.StringResourceReference Microsoft.PowerShell.Commands.Internal.Format.ComplexControlBody Microsoft.PowerShell.Commands.Internal.Format.ComplexControlEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.ComplexControlItemDefinition Microsoft.PowerShell.Commands.Internal.Format.ListControlBody Microsoft.PowerShell.Commands.Internal.Format.ListControlEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.ListControlItemDefinition Microsoft.PowerShell.Commands.Internal.Format.FieldControlBody Microsoft.PowerShell.Commands.Internal.Format.TextAlignment Microsoft.PowerShell.Commands.Internal.Format.TableControlBody Microsoft.PowerShell.Commands.Internal.Format.TableHeaderDefinition Microsoft.PowerShell.Commands.Internal.Format.TableColumnHeaderDefinition Microsoft.PowerShell.Commands.Internal.Format.TableRowDefinition Microsoft.PowerShell.Commands.Internal.Format.TableRowItemDefinition Microsoft.PowerShell.Commands.Internal.Format.WideControlBody Microsoft.PowerShell.Commands.Internal.Format.WideControlEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager Microsoft.PowerShell.Commands.Internal.Format.DisplayCondition Microsoft.PowerShell.Commands.Internal.Format.TypeMatchItem Microsoft.PowerShell.Commands.Internal.Format.TypeMatch Microsoft.PowerShell.Commands.Internal.Format.DisplayDataQuery Microsoft.PowerShell.Commands.Internal.Format.XmlFileLoadInfo Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoaderException Microsoft.PowerShell.Commands.Internal.Format.TooManyErrorsException Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLoggerEntry Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLogger Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderBase Microsoft.PowerShell.Commands.Internal.Format.GroupingInfoManager Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager Microsoft.PowerShell.Commands.Internal.Format.FormatInfoData Microsoft.PowerShell.Commands.Internal.Format.PacketInfoData Microsoft.PowerShell.Commands.Internal.Format.ControlInfoData Microsoft.PowerShell.Commands.Internal.Format.StartData Microsoft.PowerShell.Commands.Internal.Format.FormatStartData Microsoft.PowerShell.Commands.Internal.Format.FormatEndData Microsoft.PowerShell.Commands.Internal.Format.GroupStartData Microsoft.PowerShell.Commands.Internal.Format.GroupEndData Microsoft.PowerShell.Commands.Internal.Format.FormatEntryData Microsoft.PowerShell.Commands.Internal.Format.ShapeInfo Microsoft.PowerShell.Commands.Internal.Format.WideViewHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.TableHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.TableColumnInfo Microsoft.PowerShell.Commands.Internal.Format.ListViewHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.ComplexViewHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.FormatEntryInfo Microsoft.PowerShell.Commands.Internal.Format.RawTextFormatEntry Microsoft.PowerShell.Commands.Internal.Format.FreeFormatEntry Microsoft.PowerShell.Commands.Internal.Format.ListViewEntry Microsoft.PowerShell.Commands.Internal.Format.ListViewField Microsoft.PowerShell.Commands.Internal.Format.TableRowEntry Microsoft.PowerShell.Commands.Internal.Format.WideViewEntry Microsoft.PowerShell.Commands.Internal.Format.ComplexViewEntry Microsoft.PowerShell.Commands.Internal.Format.GroupingEntry Microsoft.PowerShell.Commands.Internal.Format.PageHeaderEntry Microsoft.PowerShell.Commands.Internal.Format.PageFooterEntry Microsoft.PowerShell.Commands.Internal.Format.AutosizeInfo Microsoft.PowerShell.Commands.Internal.Format.FormatValue Microsoft.PowerShell.Commands.Internal.Format.FormatNewLine Microsoft.PowerShell.Commands.Internal.Format.FormatTextField Microsoft.PowerShell.Commands.Internal.Format.FormatPropertyField Microsoft.PowerShell.Commands.Internal.Format.FormatEntry Microsoft.PowerShell.Commands.Internal.Format.FrameInfo Microsoft.PowerShell.Commands.Internal.Format.FormatObjectDeserializer Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataClassFactory Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataListDeserializer`1[T] Microsoft.PowerShell.Commands.Internal.Format.ViewGenerator Microsoft.PowerShell.Commands.Internal.Format.ComplexViewGenerator Microsoft.PowerShell.Commands.Internal.Format.ComplexControlGenerator Microsoft.PowerShell.Commands.Internal.Format.TraversalInfo Microsoft.PowerShell.Commands.Internal.Format.ComplexViewObjectBrowser Microsoft.PowerShell.Commands.Internal.Format.ListViewGenerator Microsoft.PowerShell.Commands.Internal.Format.TableViewGenerator Microsoft.PowerShell.Commands.Internal.Format.WideViewGenerator Microsoft.PowerShell.Commands.Internal.Format.DefaultScalarTypes Microsoft.PowerShell.Commands.Internal.Format.FormatViewManager Microsoft.PowerShell.Commands.Internal.Format.OutOfBandFormatViewManager Microsoft.PowerShell.Commands.Internal.Format.FormatErrorManager Microsoft.PowerShell.Commands.Internal.Format.DisplayCells Microsoft.PowerShell.Commands.Internal.Format.LineOutput Microsoft.PowerShell.Commands.Internal.Format.WriteLineHelper Microsoft.PowerShell.Commands.Internal.Format.TextWriterLineOutput Microsoft.PowerShell.Commands.Internal.Format.StreamingTextWriter Microsoft.PowerShell.Commands.Internal.Format.ListWriter Microsoft.PowerShell.Commands.Internal.Format.OutputManagerInner Microsoft.PowerShell.Commands.Internal.Format.SubPipelineManager Microsoft.PowerShell.Commands.Internal.Format.OutputGroupQueue Microsoft.PowerShell.Commands.Internal.Format.FormattedObjectsCache Microsoft.PowerShell.Commands.Internal.Format.TableWriter Microsoft.PowerShell.Commands.Internal.Format.PSObjectHelper Microsoft.PowerShell.Commands.Internal.Format.FormattingError Microsoft.PowerShell.Commands.Internal.Format.PSPropertyExpressionError Microsoft.PowerShell.Commands.Internal.Format.StringFormatError Microsoft.PowerShell.Commands.Internal.Format.CreateScriptBlockFromString Microsoft.PowerShell.Commands.Internal.Format.PSPropertyExpressionFactory Microsoft.PowerShell.Commands.Internal.Format.MshParameter Microsoft.PowerShell.Commands.Internal.Format.NameEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.HashtableEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.CommandParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.ParameterProcessor Microsoft.PowerShell.Commands.Internal.Format.MshResolvedExpressionParameterAssociation Microsoft.PowerShell.Commands.Internal.Format.AssociationManager Microsoft.PowerShell.Commands.Internal.Format.DisplayCellsHost Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput Microsoft.PowerShell.Cim.CimInstanceAdapter Microsoft.PowerShell.Cmdletization.EnumWriter Microsoft.PowerShell.Cmdletization.MethodInvocationInfo Microsoft.PowerShell.Cmdletization.MethodParameterBindings Microsoft.PowerShell.Cmdletization.MethodParameter Microsoft.PowerShell.Cmdletization.MethodParametersCollection Microsoft.PowerShell.Cmdletization.CmdletAdapter`1[TObjectInstance] Microsoft.PowerShell.Cmdletization.BehaviorOnNoMatch Microsoft.PowerShell.Cmdletization.QueryBuilder Microsoft.PowerShell.Cmdletization.ScriptWriter Microsoft.PowerShell.Cmdletization.Xml.PowerShellMetadata Microsoft.PowerShell.Cmdletization.Xml.ClassMetadata Microsoft.PowerShell.Cmdletization.Xml.ClassMetadataInstanceCmdlets Microsoft.PowerShell.Cmdletization.Xml.GetCmdletParameters Microsoft.PowerShell.Cmdletization.Xml.PropertyMetadata Microsoft.PowerShell.Cmdletization.Xml.TypeMetadata Microsoft.PowerShell.Cmdletization.Xml.Association Microsoft.PowerShell.Cmdletization.Xml.AssociationAssociatedInstance Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForGetCmdletFilteringParameter Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForGetCmdletParameter Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateCount Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateLength Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateRange Microsoft.PowerShell.Cmdletization.Xml.ObsoleteAttributeMetadata Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForInstanceMethodParameter Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForStaticMethodParameter Microsoft.PowerShell.Cmdletization.Xml.QueryOption Microsoft.PowerShell.Cmdletization.Xml.GetCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.ConfirmImpact Microsoft.PowerShell.Cmdletization.Xml.StaticCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.StaticCmdletMetadataCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.StaticMethodMetadata Microsoft.PowerShell.Cmdletization.Xml.StaticMethodParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.CmdletOutputMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonMethodParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.InstanceMethodParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonMethodMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonMethodMetadataReturnValue Microsoft.PowerShell.Cmdletization.Xml.InstanceMethodMetadata Microsoft.PowerShell.Cmdletization.Xml.InstanceCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.PropertyQuery Microsoft.PowerShell.Cmdletization.Xml.WildcardablePropertyQuery Microsoft.PowerShell.Cmdletization.Xml.ItemsChoiceType Microsoft.PowerShell.Cmdletization.Xml.ClassMetadataData Microsoft.PowerShell.Cmdletization.Xml.EnumMetadataEnum Microsoft.PowerShell.Cmdletization.Xml.EnumMetadataEnumValue Microsoft.PowerShell.Cmdletization.Xml.XmlSerializationReader1 Microsoft.PowerShell.Cmdletization.Xml.PowerShellMetadataSerializer Microsoft.PowerShell.Cmdletization.Cim.WildcardPatternToCimQueryParser Interop+Windows System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0+RunnerFactory System.Management.Automation.PowerShellAssemblyLoadContext+<>O System.Management.Automation.Platform+CommonEnvVariableNames System.Management.Automation.Platform+Unix System.Management.Automation.Platform+<>c System.Management.Automation.AsyncByteStreamTransfer+d__11 System.Management.Automation.ValidateRangeAttribute+d__19 System.Management.Automation.ValidateSetAttribute+<>c System.Management.Automation.NativeCommandProcessorBytePipe+d__3 System.Management.Automation.Cmdlet+<>c System.Management.Automation.Cmdlet+d__40 System.Management.Automation.Cmdlet+d__41`1[T] System.Management.Automation.CmdletParameterBinderController+CurrentlyBinding System.Management.Automation.CmdletParameterBinderController+DelayedScriptBlockArgument System.Management.Automation.CmdletParameterBinderController+<>c System.Management.Automation.CompletionAnalysis+AstAnalysisContext System.Management.Automation.CompletionAnalysis+<>c System.Management.Automation.CompletionAnalysis+<>c__DisplayClass13_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass19_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass22_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass34_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass36_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass39_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass42_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass42_1 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass43_0 System.Management.Automation.CompletionCompleters+FindFunctionsVisitor System.Management.Automation.CompletionCompleters+ArgumentLocation System.Management.Automation.CompletionCompleters+SHARE_INFO_1 System.Management.Automation.CompletionCompleters+VariableInfo System.Management.Automation.CompletionCompleters+FindVariablesVisitor System.Management.Automation.CompletionCompleters+TypeCompletionBase System.Management.Automation.CompletionCompleters+TypeCompletionInStringFormat System.Management.Automation.CompletionCompleters+GenericTypeCompletionInStringFormat System.Management.Automation.CompletionCompleters+TypeCompletion System.Management.Automation.CompletionCompleters+GenericTypeCompletion System.Management.Automation.CompletionCompleters+NamespaceCompletion System.Management.Automation.CompletionCompleters+TypeCompletionMapping System.Management.Automation.CompletionCompleters+ItemPathComparer System.Management.Automation.CompletionCompleters+CommandNameComparer System.Management.Automation.CompletionCompleters+<>O System.Management.Automation.CompletionCompleters+<>c System.Management.Automation.CompletionCompleters+<>c__DisplayClass109_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass122_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass136_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass139_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass13_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass141_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass142_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass144_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass145_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass145_1 System.Management.Automation.CompletionCompleters+<>c__DisplayClass147_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass15_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass20_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass20_1 System.Management.Automation.CompletionCompleters+<>c__DisplayClass22_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass34_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass40_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass5_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass5_1 System.Management.Automation.CompletionCompleters+<>c__DisplayClass63_0 System.Management.Automation.CompletionCompleters+<>o__10 System.Management.Automation.CompletionCompleters+<>o__45 System.Management.Automation.CompletionCompleters+<>o__46 System.Management.Automation.CompletionCompleters+<>o__47 System.Management.Automation.CompletionCompleters+<>o__49 System.Management.Automation.CompletionCompleters+<>o__50 System.Management.Automation.CompletionCompleters+<>o__51 System.Management.Automation.CompletionCompleters+<>o__52 System.Management.Automation.CompletionCompleters+<>o__53 System.Management.Automation.CompletionCompleters+<>o__54 System.Management.Automation.CompletionCompleters+<>o__55 System.Management.Automation.CompletionCompleters+<>o__75 System.Management.Automation.CompletionCompleters+<>o__76 System.Management.Automation.CompletionCompleters+<>o__88 System.Management.Automation.CompletionCompleters+d__23 System.Management.Automation.PropertyNameCompleter+<>O System.Management.Automation.PropertyNameCompleter+<>c System.Management.Automation.ArgumentCompleterAttribute+<>c System.Management.Automation.ArgumentCompletionsAttribute+d__2 System.Management.Automation.ScopeArgumentCompleter+d__1 System.Management.Automation.CommandDiscovery+d__52 System.Management.Automation.CommandInfo+GetMergedCommandParameterMetadataSafelyEventArgs System.Management.Automation.PSSyntheticTypeName+<>c System.Management.Automation.CommandParameterInternal+Parameter System.Management.Automation.CommandParameterInternal+Argument System.Management.Automation.CommandPathSearch+<>O System.Management.Automation.CommandProcessor+<>c System.Management.Automation.CommandSearcher+CanDoPathLookupResult System.Management.Automation.CommandSearcher+SearchState System.Management.Automation.CompiledCommandParameter+d__78 System.Management.Automation.ParameterCollectionTypeInformation+<>c System.Management.Automation.ComAdapter+d__3 System.Management.Automation.ComInvoker+EXCEPINFO System.Management.Automation.ComInvoker+Variant System.Management.Automation.ComInvoker+<>c System.Management.Automation.Adapter+OverloadCandidate System.Management.Automation.Adapter+<>O System.Management.Automation.Adapter+<>c System.Management.Automation.Adapter+<>c__DisplayClass54_0 System.Management.Automation.Adapter+d__2 System.Management.Automation.MethodInformation+MethodInvoker System.Management.Automation.DotNetAdapter+MethodCacheEntry System.Management.Automation.DotNetAdapter+EventCacheEntry System.Management.Automation.DotNetAdapter+ParameterizedPropertyCacheEntry System.Management.Automation.DotNetAdapter+PropertyCacheEntry System.Management.Automation.DotNetAdapter+<>c System.Management.Automation.DotNetAdapter+d__29 System.Management.Automation.DotNetAdapterWithComTypeName+d__2 System.Management.Automation.PSMemberSetAdapter+d__0 System.Management.Automation.XmlNodeAdapter+d__0 System.Management.Automation.TypeInference+<>c System.Management.Automation.TypeInference+<>c__DisplayClass6_0 System.Management.Automation.TypeInference+<>c__DisplayClass6_1 System.Management.Automation.Breakpoint+BreakpointAction System.Management.Automation.LineBreakpoint+CheckBreakpointInScript System.Management.Automation.ScriptDebugger+CallStackInfo System.Management.Automation.ScriptDebugger+CallStackList System.Management.Automation.ScriptDebugger+SteppingMode System.Management.Automation.ScriptDebugger+InternalDebugMode System.Management.Automation.ScriptDebugger+EnableNestedType System.Management.Automation.ScriptDebugger+<>c System.Management.Automation.ScriptDebugger+<>c__DisplayClass103_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass19_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass26_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass35_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass38_0 System.Management.Automation.ScriptDebugger+d__106 System.Management.Automation.EmbeddedRunspaceDebugger+<>c__DisplayClass10_0 System.Management.Automation.EmbeddedRunspaceDebugger+<>c__DisplayClass10_1 System.Management.Automation.DscResourceSearcher+<>o__15 System.Management.Automation.FlagsExpression`1+TokenKind[T] System.Management.Automation.FlagsExpression`1+Token[T] System.Management.Automation.FlagsExpression`1+Node[T] System.Management.Automation.FlagsExpression`1+OrNode[T] System.Management.Automation.FlagsExpression`1+AndNode[T] System.Management.Automation.FlagsExpression`1+NotNode[T] System.Management.Automation.FlagsExpression`1+OperandNode[T] System.Management.Automation.ErrorRecord+<>c System.Management.Automation.PSLocalEventManager+<>c__DisplayClass32_0 System.Management.Automation.ExecutionContext+SavedContextData System.Management.Automation.ExecutionContext+<>c System.Management.Automation.ExperimentalFeature+<>c System.Management.Automation.InformationalRecord+<>c System.Management.Automation.PowerShell+Worker System.Management.Automation.InvocationInfo+<>c System.Management.Automation.RemoteCommandInfo+<>c__DisplayClass4_0 System.Management.Automation.LanguagePrimitives+MemberNotFoundError System.Management.Automation.LanguagePrimitives+MemberSetValueError System.Management.Automation.LanguagePrimitives+EnumerableTWrapper System.Management.Automation.LanguagePrimitives+GetEnumerableDelegate System.Management.Automation.LanguagePrimitives+TypeCodeTraits System.Management.Automation.LanguagePrimitives+EnumMultipleTypeConverter System.Management.Automation.LanguagePrimitives+EnumSingleTypeConverter System.Management.Automation.LanguagePrimitives+PSMethodToDelegateConverter System.Management.Automation.LanguagePrimitives+ConvertViaParseMethod System.Management.Automation.LanguagePrimitives+ConvertViaConstructor System.Management.Automation.LanguagePrimitives+ConvertViaIEnumerableConstructor System.Management.Automation.LanguagePrimitives+ConvertViaNoArgumentConstructor System.Management.Automation.LanguagePrimitives+ConvertViaCast System.Management.Automation.LanguagePrimitives+ConvertCheckingForCustomConverter System.Management.Automation.LanguagePrimitives+ConversionTypePair System.Management.Automation.LanguagePrimitives+PSConverter`1[T] System.Management.Automation.LanguagePrimitives+PSNullConverter System.Management.Automation.LanguagePrimitives+IConversionData System.Management.Automation.LanguagePrimitives+ConversionData`1[T] System.Management.Automation.LanguagePrimitives+SignatureComparator System.Management.Automation.LanguagePrimitives+InternalPSCustomObject System.Management.Automation.LanguagePrimitives+InternalPSObject System.Management.Automation.LanguagePrimitives+Null System.Management.Automation.LanguagePrimitives+<>O System.Management.Automation.ParserOps+SplitImplOptions System.Management.Automation.ParserOps+ReplaceOperatorImpl System.Management.Automation.ParserOps+CompareDelegate System.Management.Automation.ParserOps+<>c System.Management.Automation.ParserOps+d__17 System.Management.Automation.ScriptBlock+ErrorHandlingBehavior System.Management.Automation.ScriptBlock+SuspiciousContentChecker System.Management.Automation.ScriptBlock+<>c System.Management.Automation.BaseWMIAdapter+WMIMethodCacheEntry System.Management.Automation.BaseWMIAdapter+WMIParameterInformation System.Management.Automation.BaseWMIAdapter+d__3 System.Management.Automation.BaseWMIAdapter+d__2 System.Management.Automation.MinishellParameterBinderController+MinishellParameters System.Management.Automation.AnalysisCache+<>c System.Management.Automation.AnalysisCacheData+<b__11_0>d System.Management.Automation.AnalysisCacheData+<>c__DisplayClass24_0 System.Management.Automation.ModuleIntrinsics+PSModulePathScope System.Management.Automation.ModuleIntrinsics+<>c System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass59_0`1[T] System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass60_0 System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass60_1 System.Management.Automation.ModuleIntrinsics+d__57 System.Management.Automation.PSModuleInfo+<>c System.Management.Automation.PSModuleInfo+<>c__DisplayClass277_0 System.Management.Automation.RemoteDiscoveryHelper+CimFileCode System.Management.Automation.RemoteDiscoveryHelper+CimModuleFile System.Management.Automation.RemoteDiscoveryHelper+CimModule System.Management.Automation.RemoteDiscoveryHelper+<>c System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass14_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass23_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass24_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass2_0`1[T] System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_1 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_2 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_3 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_4 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_5 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_6 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass5_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass6_0 System.Management.Automation.RemoteDiscoveryHelper+d__12`1[T] System.Management.Automation.RemoteDiscoveryHelper+d__23 System.Management.Automation.RemoteDiscoveryHelper+d__5 System.Management.Automation.RemoteDiscoveryHelper+d__4 System.Management.Automation.ExportVisitor+ParameterBindingInfo System.Management.Automation.ExportVisitor+ParameterInfo System.Management.Automation.ExportVisitor+<>c__DisplayClass44_0 System.Management.Automation.CommandInvocationIntrinsics+d__34 System.Management.Automation.MshCommandRuntime+ShouldProcessPossibleOptimization System.Management.Automation.MshCommandRuntime+MergeDataStream System.Management.Automation.MshCommandRuntime+AllowWrite System.Management.Automation.MshCommandRuntime+ContinueStatus System.Management.Automation.PSMemberSet+<>O System.Management.Automation.CollectionEntry`1+GetMembersDelegate[T] System.Management.Automation.CollectionEntry`1+GetMemberDelegate[T] System.Management.Automation.CollectionEntry`1+GetFirstOrDefaultDelegate[T] System.Management.Automation.PSMemberInfoIntegratingCollection`1+Enumerator[T] System.Management.Automation.PSObject+AdapterSet System.Management.Automation.PSObject+PSDynamicMetaObject System.Management.Automation.PSObject+PSObjectFlags System.Management.Automation.PSObject+<>O System.Management.Automation.PSObject+<>c System.Management.Automation.PSObject+<>c__DisplayClass102_0 System.Management.Automation.PSObject+<>c__DisplayClass15_0 System.Management.Automation.PSObject+<>c__DisplayClass18_0 System.Management.Automation.NativeCommandProcessor+ProcessWithParentId System.Management.Automation.NativeCommandProcessor+d__39 System.Management.Automation.CommandParameterSetInfo+<>c__DisplayClass11_0 System.Management.Automation.TypeInferenceContext+<>c System.Management.Automation.TypeInferenceContext+<>c__DisplayClass23_0 System.Management.Automation.TypeInferenceContext+<>c__DisplayClass24_0 System.Management.Automation.TypeInferenceVisitor+<>c System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass62_0 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass65_0 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass65_1 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass76_0 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass9_0 System.Management.Automation.TypeInferenceVisitor+d__81 System.Management.Automation.TypeInferenceVisitor+d__80 System.Management.Automation.CoreTypes+<>c System.Management.Automation.PSVersionHashTable+PSVersionTableComparer System.Management.Automation.PSVersionHashTable+d__5 System.Management.Automation.SemanticVersion+ParseFailureKind System.Management.Automation.SemanticVersion+VersionResult System.Management.Automation.ReflectionParameterBinder+<>c System.Management.Automation.ReflectionParameterBinder+<>c__DisplayClass7_0 System.Management.Automation.ReflectionParameterBinder+<>c__DisplayClass8_0 System.Management.Automation.WildcardPattern+<>c System.Management.Automation.WildcardPattern+<>c__DisplayClass17_0 System.Management.Automation.WildcardPatternMatcher+PatternPositionsVisitor System.Management.Automation.WildcardPatternMatcher+PatternElement System.Management.Automation.WildcardPatternMatcher+QuestionMarkElement System.Management.Automation.WildcardPatternMatcher+LiteralCharacterElement System.Management.Automation.WildcardPatternMatcher+BracketExpressionElement System.Management.Automation.WildcardPatternMatcher+AsterixElement System.Management.Automation.WildcardPatternMatcher+MyWildcardPatternParser System.Management.Automation.WildcardPatternMatcher+CharacterNormalizer System.Management.Automation.Job+<>c__DisplayClass83_0 System.Management.Automation.Job+<>c__DisplayClass92_0 System.Management.Automation.Job+<>c__DisplayClass93_0 System.Management.Automation.Job+<>c__DisplayClass94_0 System.Management.Automation.Job+<>c__DisplayClass95_0 System.Management.Automation.Job+<>c__DisplayClass96_0`1[T] System.Management.Automation.PSRemotingJob+ConnectJobOperation System.Management.Automation.PSRemotingJob+<>c__DisplayClass12_0 System.Management.Automation.ContainerParentJob+<>c System.Management.Automation.ContainerParentJob+<>c__DisplayClass38_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass40_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass41_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass41_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass42_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass42_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass51_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass51_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass52_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass52_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass53_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass53_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass54_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass54_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass55_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass55_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass56_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass56_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass66_0 System.Management.Automation.JobManager+FilterType System.Management.Automation.JobInvocationInfo+<>c System.Management.Automation.RemotePipeline+ExecutionEventQueueItem System.Management.Automation.RemoteRunspace+RunspaceEventQueueItem System.Management.Automation.RemoteDebugger+<>c__DisplayClass22_0 System.Management.Automation.ThrottlingJob+ChildJobFlags System.Management.Automation.ThrottlingJob+ForwardingHelper System.Management.Automation.ThrottlingJob+<>c System.Management.Automation.RemotingEncoder+ValueGetterDelegate`1[T] System.Management.Automation.RemotingDecoder+d__4`2[TKey,TValue] System.Management.Automation.RemotingDecoder+d__3`1[T] System.Management.Automation.ServerPowerShellDriver+<>c__DisplayClass11_0 System.Management.Automation.ServerPowerShellDriver+<>c__DisplayClass33_0 System.Management.Automation.ServerRunspacePoolDriver+PreProcessCommandResult System.Management.Automation.ServerRunspacePoolDriver+DebuggerCommandArgument System.Management.Automation.ServerRunspacePoolDriver+PowerShellDriverInvoker System.Management.Automation.ServerRunspacePoolDriver+<>c System.Management.Automation.ServerRemoteDebugger+ThreadCommandProcessing System.Management.Automation.CompiledScriptBlockData+<>c System.Management.Automation.CompiledScriptBlockData+<>c__DisplayClass7_0 System.Management.Automation.MutableTuple+<>c System.Management.Automation.MutableTuple+d__28 System.Management.Automation.MutableTuple+d__27 System.Management.Automation.PipelineOps+<>c System.Management.Automation.PipelineOps+d__1 System.Management.Automation.ExceptionHandlingOps+CatchAll System.Management.Automation.ExceptionHandlingOps+HandlerSearchResult System.Management.Automation.TypeOps+<>c__DisplayClass0_0 System.Management.Automation.EnumerableOps+NonEnumerableObjectEnumerator System.Management.Automation.EnumerableOps+<>o__1 System.Management.Automation.EnumerableOps+<>o__6 System.Management.Automation.MemberInvocationLoggingOps+<>c System.Management.Automation.DecimalOps+<>O System.Management.Automation.StringOps+<>c System.Management.Automation.VariableOps+UsingResult System.Management.Automation.UsingExpressionAstSearcher+<>c System.Management.Automation.InternalSerializer+<>c System.Management.Automation.InternalDeserializer+PSDictionary System.Management.Automation.InternalDeserializer+<>c System.Management.Automation.WeakReferenceDictionary`1+WeakReferenceEqualityComparer[T] System.Management.Automation.WeakReferenceDictionary`1+d__30[T] System.Management.Automation.SessionStateInternal+d__68 System.Management.Automation.SessionStateInternal+d__222 System.Management.Automation.SessionStateScope+<>O System.Management.Automation.SessionStateScope+<>c__DisplayClass97_0 System.Management.Automation.SessionStateScope+d__95 System.Management.Automation.ParameterSetMetadata+ParameterFlags System.Management.Automation.Utils+MutexInitializer System.Management.Automation.Utils+EmptyReadOnlyCollectionHolder`1[T] System.Management.Automation.Utils+Separators System.Management.Automation.Utils+<>O System.Management.Automation.Utils+<>c System.Management.Automation.Utils+<>c__DisplayClass61_0`1[T] System.Management.Automation.Utils+<>c__DisplayClass81_0 System.Management.Automation.PSStyle+ForegroundColor System.Management.Automation.PSStyle+BackgroundColor System.Management.Automation.PSStyle+ProgressConfiguration System.Management.Automation.PSStyle+FormattingData System.Management.Automation.PSStyle+FileInfoFormatting System.Management.Automation.AliasHelpProvider+d__8 System.Management.Automation.AliasHelpProvider+d__9 System.Management.Automation.CommandHelpProvider+d__12 System.Management.Automation.CommandHelpProvider+d__30 System.Management.Automation.CommandHelpProvider+d__26 System.Management.Automation.DscResourceHelpProvider+d__9 System.Management.Automation.DscResourceHelpProvider+d__10 System.Management.Automation.DscResourceHelpProvider+d__8 System.Management.Automation.HelpCommentsParser+<>c System.Management.Automation.HelpErrorTracer+TraceFrame System.Management.Automation.HelpFileHelpProvider+<>c System.Management.Automation.HelpFileHelpProvider+d__5 System.Management.Automation.HelpFileHelpProvider+d__7 System.Management.Automation.HelpProvider+d__10 System.Management.Automation.HelpProviderWithCache+d__11 System.Management.Automation.HelpProviderWithCache+d__2 System.Management.Automation.HelpProviderWithCache+d__9 System.Management.Automation.HelpSystem+d__20 System.Management.Automation.HelpSystem+d__21 System.Management.Automation.HelpSystem+d__22 System.Management.Automation.HelpSystem+d__24 System.Management.Automation.ProviderHelpProvider+d__6 System.Management.Automation.ProviderHelpProvider+d__11 System.Management.Automation.ProviderHelpProvider+d__10 System.Management.Automation.PSClassHelpProvider+d__9 System.Management.Automation.PSClassHelpProvider+d__10 System.Management.Automation.PSClassHelpProvider+d__8 System.Management.Automation.LogProvider+Strings System.Management.Automation.MshLog+<>O System.Management.Automation.MshLog+<>c__DisplayClass19_0 System.Management.Automation.MshLog+<>c__DisplayClass20_0 System.Management.Automation.MshLog+<>c__DisplayClass9_0 System.Management.Automation.CatalogHelper+<>O System.Management.Automation.AmsiUtils+AmsiNativeMethods System.Management.Automation.AmsiUtils+<>O System.Management.Automation.PSSnapInReader+DefaultPSSnapInInformation System.Management.Automation.ClrFacade+d__3 System.Management.Automation.EnumerableExtensions+d__0`1[T] System.Management.Automation.PSTypeExtensions+<>c__7`1[T] System.Management.Automation.ParseException+<>c System.Management.Automation.PlatformInvokes+FILETIME System.Management.Automation.PlatformInvokes+FileDesiredAccess System.Management.Automation.PlatformInvokes+FileShareMode System.Management.Automation.PlatformInvokes+FileCreationDisposition System.Management.Automation.PlatformInvokes+FileAttributes System.Management.Automation.PlatformInvokes+SecurityAttributes System.Management.Automation.PlatformInvokes+SafeLocalMemHandle System.Management.Automation.PlatformInvokes+TOKEN_PRIVILEGE System.Management.Automation.PlatformInvokes+LUID System.Management.Automation.PlatformInvokes+LUID_AND_ATTRIBUTES System.Management.Automation.PlatformInvokes+PRIVILEGE_SET System.Management.Automation.PlatformInvokes+PROCESS_INFORMATION System.Management.Automation.PlatformInvokes+STARTUPINFO System.Management.Automation.PlatformInvokes+SECURITY_ATTRIBUTES System.Management.Automation.Verbs+VerbArgumentCompleter System.Management.Automation.Verbs+d__4 System.Management.Automation.Verbs+d__5 System.Management.Automation.Verbs+d__6 System.Management.Automation.VTUtility+VT System.Management.Automation.Tracing.EtwActivity+CorrelatedCallback System.Management.Automation.Tracing.PSEtwLog+<>c__DisplayClass6_0 System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ATTR_BLOB System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ALGORITHM_IDENTIFIER System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ATTRIBUTE_TYPE_VALUE System.Management.Automation.Win32Native.WinTrustMethods+SIP_INDIRECT_DATA System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATMEMBER System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATATTRIBUTE System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATSTORE System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_DATA System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_FILE_INFO System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_BLOB_INFO System.Management.Automation.Win32Native.WinTrustMethods+CryptCATCDFParseErrorCallBack System.Management.Automation.Security.NativeMethods+CertEnumSystemStoreCallBackProto System.Management.Automation.Security.NativeMethods+CertFindType System.Management.Automation.Security.NativeMethods+CertStoreFlags System.Management.Automation.Security.NativeMethods+CertOpenStoreFlags System.Management.Automation.Security.NativeMethods+CertOpenStoreProvider System.Management.Automation.Security.NativeMethods+CertOpenStoreEncodingType System.Management.Automation.Security.NativeMethods+CertControlStoreType System.Management.Automation.Security.NativeMethods+AddCertificateContext System.Management.Automation.Security.NativeMethods+CertPropertyId System.Management.Automation.Security.NativeMethods+NCryptDeletKeyFlag System.Management.Automation.Security.NativeMethods+ProviderFlagsEnum System.Management.Automation.Security.NativeMethods+ProviderParam System.Management.Automation.Security.NativeMethods+PROV System.Management.Automation.Security.NativeMethods+CRYPT_KEY_PROV_INFO System.Management.Automation.Security.NativeMethods+CryptUIFlags System.Management.Automation.Security.NativeMethods+CRYPTUI_WIZ_DIGITAL_SIGN_INFO System.Management.Automation.Security.NativeMethods+SignInfoSubjectChoice System.Management.Automation.Security.NativeMethods+SignInfoCertChoice System.Management.Automation.Security.NativeMethods+SignInfoAdditionalCertChoice System.Management.Automation.Security.NativeMethods+CRYPTUI_WIZ_DIGITAL_SIGN_EXTENDED_INFO System.Management.Automation.Security.NativeMethods+CRYPT_OID_INFO System.Management.Automation.Security.NativeMethods+Anonymous_a3ae7823_8a1d_432c_bc07_a72b6fc6c7d8 System.Management.Automation.Security.NativeMethods+CRYPT_ATTR_BLOB System.Management.Automation.Security.NativeMethods+CRYPT_DATA_BLOB System.Management.Automation.Security.NativeMethods+CERT_CONTEXT System.Management.Automation.Security.NativeMethods+CRYPT_PROVIDER_CERT System.Management.Automation.Security.NativeMethods+CRYPT_PROVIDER_SGNR System.Management.Automation.Security.NativeMethods+CERT_ENHKEY_USAGE System.Management.Automation.Security.NativeMethods+SIGNATURE_STATE System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_FLAGS System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_AVAILABILITY System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_TYPE System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO System.Management.Automation.Security.NativeMethods+CERT_INFO System.Management.Automation.Security.NativeMethods+CRYPT_ALGORITHM_IDENTIFIER System.Management.Automation.Security.NativeMethods+FILETIME System.Management.Automation.Security.NativeMethods+CERT_PUBLIC_KEY_INFO System.Management.Automation.Security.NativeMethods+CRYPT_BIT_BLOB System.Management.Automation.Security.NativeMethods+CERT_EXTENSION System.Management.Automation.Security.NativeMethods+AltNameType System.Management.Automation.Security.NativeMethods+CryptDecodeFlags System.Management.Automation.Security.NativeMethods+SeObjectType System.Management.Automation.Security.NativeMethods+SecurityInformation System.Management.Automation.Security.NativeMethods+LUID System.Management.Automation.Security.NativeMethods+LUID_AND_ATTRIBUTES System.Management.Automation.Security.NativeMethods+TOKEN_PRIVILEGE System.Management.Automation.Security.NativeMethods+ACL System.Management.Automation.Security.NativeMethods+ACE_HEADER System.Management.Automation.Security.NativeMethods+SYSTEM_AUDIT_ACE System.Management.Automation.Security.NativeMethods+LSA_UNICODE_STRING System.Management.Automation.Security.NativeMethods+CENTRAL_ACCESS_POLICY System.Management.Automation.Security.SystemPolicy+WldpNativeConstants System.Management.Automation.Security.SystemPolicy+WLDP_HOST_ID System.Management.Automation.Security.SystemPolicy+WLDP_HOST_INFORMATION System.Management.Automation.Security.SystemPolicy+WLDP_EXECUTION_EVALUATION_OPTIONS System.Management.Automation.Security.SystemPolicy+WLDP_EXECUTION_POLICY System.Management.Automation.Security.SystemPolicy+WldpNativeMethods System.Management.Automation.Help.DefaultCommandHelpObjectBuilder+<>c System.Management.Automation.Help.CultureSpecificUpdatableHelp+<>c__DisplayClass10_0 System.Management.Automation.Help.CultureSpecificUpdatableHelp+d__9 System.Management.Automation.Help.UpdatableHelpInfo+<>c__DisplayClass11_0 System.Management.Automation.Subsystem.SubsystemInfo+ImplementationInfo System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass1_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass2_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass3_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass4_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass5_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+d__1 System.Management.Automation.Subsystem.Feedback.FeedbackHub+<>c__DisplayClass7_0 System.Management.Automation.Remoting.ClientMethodExecutor+<>c__DisplayClass10_0 System.Management.Automation.Remoting.ClientRemoteSession+URIDirectionReported System.Management.Automation.Remoting.SerializedDataStream+OnDataAvailableCallback System.Management.Automation.Remoting.NamedPipeNative+SECURITY_ATTRIBUTES System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>O System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>c System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>c__DisplayClass52_0 System.Management.Automation.Remoting.ConfigTypeEntry+TypeValidationCallback System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c__DisplayClass22_0`1[T] System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c__DisplayClass22_1`1[T] System.Management.Automation.Remoting.OutOfProcessUtils+DataPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+DataAckPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+CommandCreationPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+CommandCreationAckReceived System.Management.Automation.Remoting.OutOfProcessUtils+ClosePacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+CloseAckPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+SignalPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+SignalAckPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+DataProcessingDelegates System.Management.Automation.Remoting.PrioritySendDataCollection+OnDataAvailableCallback System.Management.Automation.Remoting.ReceiveDataCollection+OnDataAvailableCallback System.Management.Automation.Remoting.WSManPluginEntryDelegates+WSManPluginEntryDelegatesInternal System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper+InitPluginDelegate System.Management.Automation.Remoting.ServerRemoteSession+<>c__DisplayClass32_0 System.Management.Automation.Remoting.Server.AbstractServerTransportManager+<>c__DisplayClass14_0 System.Management.Automation.Remoting.Client.BaseClientTransportManager+CallbackNotificationInformation System.Management.Automation.Remoting.Client.WSManNativeApi+MarshalledObject System.Management.Automation.Remoting.Client.WSManNativeApi+WSManAuthenticationMechanism System.Management.Automation.Remoting.Client.WSManNativeApi+BaseWSManAuthenticationCredentials System.Management.Automation.Remoting.Client.WSManNativeApi+WSManUserNameAuthenticationCredentials System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateThumbprintCredentials System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSessionOption System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellFlag System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataType System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManBinaryOrTextDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManData_ManToUn System.Management.Automation.Remoting.Client.WSManNativeApi+WSManData_UnToMan System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataDWord System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSetStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSet_ManToUn System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSet_UnToMan System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOption System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOptionSetStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOptionSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCommandArgSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellDisconnectInfo System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfoStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfo_ManToUn System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfo_UnToMan System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManProxyInfo System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCallbackFlags System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellCompletionFunction System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsyncCallback System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsync System.Management.Automation.Remoting.Client.WSManNativeApi+WSManError System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult System.Management.Automation.Remoting.Client.WSManNativeApi+WSManPluginRequest System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSenderDetails System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateDetails System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManFlagReceive System.Management.Automation.Remoting.Client.WSManTransportManagerUtils+tmStartModes System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+CompletionNotification System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+CompletionEventArgs System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+WSManAPIDataCommon System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+<>c System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+<>c__DisplayClass98_0 System.Management.Automation.Remoting.Client.WSManClientCommandTransportManager+SendDataChunk System.Management.Automation.Interpreter.AddInstruction+AddInt32 System.Management.Automation.Interpreter.AddInstruction+AddInt16 System.Management.Automation.Interpreter.AddInstruction+AddInt64 System.Management.Automation.Interpreter.AddInstruction+AddUInt16 System.Management.Automation.Interpreter.AddInstruction+AddUInt32 System.Management.Automation.Interpreter.AddInstruction+AddUInt64 System.Management.Automation.Interpreter.AddInstruction+AddSingle System.Management.Automation.Interpreter.AddInstruction+AddDouble System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt32 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt16 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt64 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt16 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt32 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt64 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfSingle System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfDouble System.Management.Automation.Interpreter.DivInstruction+DivInt32 System.Management.Automation.Interpreter.DivInstruction+DivInt16 System.Management.Automation.Interpreter.DivInstruction+DivInt64 System.Management.Automation.Interpreter.DivInstruction+DivUInt16 System.Management.Automation.Interpreter.DivInstruction+DivUInt32 System.Management.Automation.Interpreter.DivInstruction+DivUInt64 System.Management.Automation.Interpreter.DivInstruction+DivSingle System.Management.Automation.Interpreter.DivInstruction+DivDouble System.Management.Automation.Interpreter.EqualInstruction+EqualBoolean System.Management.Automation.Interpreter.EqualInstruction+EqualSByte System.Management.Automation.Interpreter.EqualInstruction+EqualInt16 System.Management.Automation.Interpreter.EqualInstruction+EqualChar System.Management.Automation.Interpreter.EqualInstruction+EqualInt32 System.Management.Automation.Interpreter.EqualInstruction+EqualInt64 System.Management.Automation.Interpreter.EqualInstruction+EqualByte System.Management.Automation.Interpreter.EqualInstruction+EqualUInt16 System.Management.Automation.Interpreter.EqualInstruction+EqualUInt32 System.Management.Automation.Interpreter.EqualInstruction+EqualUInt64 System.Management.Automation.Interpreter.EqualInstruction+EqualSingle System.Management.Automation.Interpreter.EqualInstruction+EqualDouble System.Management.Automation.Interpreter.EqualInstruction+EqualReference System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanSByte System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt16 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanChar System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt32 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt64 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanByte System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt16 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt32 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt64 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanSingle System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanDouble System.Management.Automation.Interpreter.InstructionFactory+<>c System.Management.Automation.Interpreter.InstructionArray+DebugView System.Management.Automation.Interpreter.InstructionList+DebugView System.Management.Automation.Interpreter.InterpretedFrame+d__30 System.Management.Automation.Interpreter.InterpretedFrame+d__29 System.Management.Automation.Interpreter.LabelInfo+<>c System.Management.Automation.Interpreter.LessThanInstruction+LessThanSByte System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt16 System.Management.Automation.Interpreter.LessThanInstruction+LessThanChar System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt32 System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt64 System.Management.Automation.Interpreter.LessThanInstruction+LessThanByte System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt16 System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt32 System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt64 System.Management.Automation.Interpreter.LessThanInstruction+LessThanSingle System.Management.Automation.Interpreter.LessThanInstruction+LessThanDouble System.Management.Automation.Interpreter.TryCatchFinallyHandler+<>c__DisplayClass13_0 System.Management.Automation.Interpreter.DebugInfo+DebugInfoComparer System.Management.Automation.Interpreter.LightCompiler+<>c System.Management.Automation.Interpreter.LightDelegateCreator+<>c System.Management.Automation.Interpreter.LightLambda+<>c__DisplayClass11_0 System.Management.Automation.Interpreter.LightLambdaClosureVisitor+MergedRuntimeVariables System.Management.Automation.Interpreter.LightLambdaClosureVisitor+<>O System.Management.Automation.Interpreter.InitializeLocalInstruction+Reference System.Management.Automation.Interpreter.InitializeLocalInstruction+ImmutableValue System.Management.Automation.Interpreter.InitializeLocalInstruction+ImmutableBox System.Management.Automation.Interpreter.InitializeLocalInstruction+ParameterBox System.Management.Automation.Interpreter.InitializeLocalInstruction+Parameter System.Management.Automation.Interpreter.InitializeLocalInstruction+MutableValue System.Management.Automation.Interpreter.InitializeLocalInstruction+MutableBox System.Management.Automation.Interpreter.LocalVariables+VariableScope System.Management.Automation.Interpreter.LoopCompiler+LoopVariable System.Management.Automation.Interpreter.MulInstruction+MulInt32 System.Management.Automation.Interpreter.MulInstruction+MulInt16 System.Management.Automation.Interpreter.MulInstruction+MulInt64 System.Management.Automation.Interpreter.MulInstruction+MulUInt16 System.Management.Automation.Interpreter.MulInstruction+MulUInt32 System.Management.Automation.Interpreter.MulInstruction+MulUInt64 System.Management.Automation.Interpreter.MulInstruction+MulSingle System.Management.Automation.Interpreter.MulInstruction+MulDouble System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt32 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt16 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt64 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt16 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt32 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt64 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfSingle System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfDouble System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualBoolean System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualSByte System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt16 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualChar System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt32 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt64 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualByte System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt16 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt32 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt64 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualSingle System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualDouble System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualReference System.Management.Automation.Interpreter.NumericConvertInstruction+Unchecked System.Management.Automation.Interpreter.NumericConvertInstruction+Checked System.Management.Automation.Interpreter.SubInstruction+SubInt32 System.Management.Automation.Interpreter.SubInstruction+SubInt16 System.Management.Automation.Interpreter.SubInstruction+SubInt64 System.Management.Automation.Interpreter.SubInstruction+SubUInt16 System.Management.Automation.Interpreter.SubInstruction+SubUInt32 System.Management.Automation.Interpreter.SubInstruction+SubUInt64 System.Management.Automation.Interpreter.SubInstruction+SubSingle System.Management.Automation.Interpreter.SubInstruction+SubDouble System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt32 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt16 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt64 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt16 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt32 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt64 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfSingle System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfDouble System.Management.Automation.Interpreter.DelegateHelpers+<>c System.Management.Automation.Interpreter.HybridReferenceDictionary`2+d__12[TKey,TValue] System.Management.Automation.Interpreter.CacheDict`2+KeyInfo[TKey,TValue] System.Management.Automation.Interpreter.ThreadLocal`1+StorageInfo[T] System.Management.Automation.Host.PSHostUserInterface+FormatStyle System.Management.Automation.Host.PSHostUserInterface+TranscribeOnlyCookie System.Management.Automation.Host.PSHostUserInterface+<>c System.Management.Automation.Host.PSHostUserInterface+<>c__DisplayClass45_0 System.Management.Automation.Runspaces.Command+MergeType System.Management.Automation.Runspaces.RunspaceBase+RunspaceEventQueueItem System.Management.Automation.Runspaces.RunspaceBase+<>c System.Management.Automation.Runspaces.LocalRunspace+DebugPreference System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass55_0 System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass56_0 System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass56_1 System.Management.Automation.Runspaces.PipelineBase+ExecutionEventQueueItem System.Management.Automation.Runspaces.EarlyStartup+<>c System.Management.Automation.Runspaces.InitialSessionState+<>c System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass0_0`1[T] System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass129_0 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass129_1 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass137_0 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass154_0 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass1_0`1[T] System.Management.Automation.Runspaces.InitialSessionState+d__147 System.Management.Automation.Runspaces.PSSnapInHelpers+<>c System.Management.Automation.Runspaces.ContainerProcess+HCS_PROCESS_INFORMATION System.Management.Automation.Runspaces.TypesPs1xmlReader+<>c System.Management.Automation.Runspaces.TypesPs1xmlReader+d__20 System.Management.Automation.Runspaces.ConsolidatedString+ConsolidatedStringEqualityComparer System.Management.Automation.Runspaces.TypeTable+<>c System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass59_0 System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass61_0`1[T] System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass90_0 System.Management.Automation.Runspaces.FormatTable+<>c__DisplayClass10_0 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__24 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__68 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__35 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__36 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__37 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__34 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__33 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__38 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__42 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__39 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__53 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__40 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__41 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__43 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__44 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__45 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__47 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__48 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__49 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__62 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__60 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__61 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__59 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__51 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__52 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__50 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__27 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__54 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__64 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__63 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__32 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__65 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__31 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__55 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__56 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__46 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__57 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__58 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__29 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__20 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__21 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__16 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__25 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__67 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__17 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__23 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__26 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__30 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__28 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__66 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__22 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__18 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__69 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__19 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__16 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__17 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__24 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__25 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__19 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__20 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__22 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__23 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__21 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__18 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__42 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__40 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__39 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__33 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__21 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__50 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__59 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__44 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__20 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__53 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__43 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__45 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__57 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__56 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__55 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__58 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__51 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__54 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__52 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__47 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__19 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__41 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__23 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__35 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__31 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__49 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__16 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__18 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__24 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__17 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__30 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__34 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__38 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__25 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__48 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__60 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__65 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__63 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__64 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__61 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__62 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__22 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__37 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__36 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__29 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__28 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__26 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__27 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__32 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Registry_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Registry_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.FormatAndTypeDataHelper+Category System.Management.Automation.Runspaces.PipelineReader`1+d__20[T] System.Management.Automation.Language.PseudoParameterBinder+BindingType System.Management.Automation.Language.ScriptBlockAst+<>c System.Management.Automation.Language.ScriptBlockAst+<>c__DisplayClass64_0 System.Management.Automation.Language.ScriptBlockAst+d__68 System.Management.Automation.Language.ScriptBlockAst+d__67 System.Management.Automation.Language.ParamBlockAst+<>c System.Management.Automation.Language.FunctionDefinitionAst+<>c System.Management.Automation.Language.DataStatementAst+<>c System.Management.Automation.Language.AssignmentStatementAst+d__14 System.Management.Automation.Language.ConfigurationDefinitionAst+<>c System.Management.Automation.Language.ConfigurationDefinitionAst+<>c__DisplayClass29_0 System.Management.Automation.Language.GenericTypeName+<>c System.Management.Automation.Language.AstSearcher+<>c System.Management.Automation.Language.Compiler+DefaultValueExpressionWrapper System.Management.Automation.Language.Compiler+LoopGotoTargets System.Management.Automation.Language.Compiler+CaptureAstContext System.Management.Automation.Language.Compiler+MergeRedirectExprs System.Management.Automation.Language.Compiler+AutomaticVarSaver System.Management.Automation.Language.Compiler+<>O System.Management.Automation.Language.Compiler+<>c System.Management.Automation.Language.Compiler+<>c__DisplayClass173_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass188_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass188_1 System.Management.Automation.Language.Compiler+<>c__DisplayClass189_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass194_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass195_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass200_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass201_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass205_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass205_1 System.Management.Automation.Language.Compiler+<>c__DisplayClass238_0 System.Management.Automation.Language.Compiler+d__234 System.Management.Automation.Language.InvokeMemberAssignableValue+<>c System.Management.Automation.Language.Parser+CommandArgumentContext System.Management.Automation.Language.Parser+<>c System.Management.Automation.Language.Parser+<>c__DisplayClass19_0 System.Management.Automation.Language.Parser+d__62 System.Management.Automation.Language.TypeDefiner+DefineTypeHelper System.Management.Automation.Language.TypeDefiner+DefineEnumHelper System.Management.Automation.Language.TypeDefiner+d__16 System.Management.Automation.Language.GetSafeValueVisitor+SafeValueContext System.Management.Automation.Language.GetSafeValueVisitor+<>c__DisplayClass47_0 System.Management.Automation.Language.SemanticChecks+<>c System.Management.Automation.Language.SemanticChecks+<>c__DisplayClass37_0 System.Management.Automation.Language.SemanticChecks+<>c__DisplayClass38_0 System.Management.Automation.Language.SemanticChecks+d__22 System.Management.Automation.Language.RestrictedLanguageChecker+<>c__DisplayClass43_0 System.Management.Automation.Language.SymbolTable+<>c System.Management.Automation.Language.SymbolResolver+<>c System.Management.Automation.Language.DynamicKeywordExtension+<>c__DisplayClass3_0 System.Management.Automation.Language.Tokenizer+<>O System.Management.Automation.Language.Tokenizer+<>c System.Management.Automation.Language.Tokenizer+<>c__DisplayClass140_0 System.Management.Automation.Language.Tokenizer+<>c__DisplayClass141_0 System.Management.Automation.Language.TypeResolver+AmbiguousTypeException System.Management.Automation.Language.TypeCache+KeyComparer System.Management.Automation.Language.FindAllVariablesVisitor+<>c System.Management.Automation.Language.VariableAnalysis+LoopGotoTargets System.Management.Automation.Language.VariableAnalysis+Block System.Management.Automation.Language.VariableAnalysis+AssignmentTarget System.Management.Automation.Language.VariableAnalysis+<>O System.Management.Automation.Language.VariableAnalysis+<>c System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass47_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass51_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass54_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass55_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass58_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass58_1 System.Management.Automation.Language.VariableAnalysis+d__65 System.Management.Automation.Language.DynamicMetaObjectBinderExtensions+<>c System.Management.Automation.Language.PSEnumerableBinder+<>O System.Management.Automation.Language.PSEnumerableBinder+<>c System.Management.Automation.Language.PSEnumerableBinder+<>c__DisplayClass7_0 System.Management.Automation.Language.PSToObjectArrayBinder+<>c System.Management.Automation.Language.PSPipeWriterBinder+<>O System.Management.Automation.Language.PSInvokeDynamicMemberBinder+KeyComparer System.Management.Automation.Language.PSAttributeGenerator+<>c System.Management.Automation.Language.PSVariableAssignmentBinder+<>O System.Management.Automation.Language.PSBinaryOperationBinder+<>O System.Management.Automation.Language.PSBinaryOperationBinder+<>c System.Management.Automation.Language.PSConvertBinder+<>O System.Management.Automation.Language.PSGetIndexBinder+<>c System.Management.Automation.Language.PSGetIndexBinder+<>c__DisplayClass15_0 System.Management.Automation.Language.PSGetIndexBinder+<>c__DisplayClass17_0 System.Management.Automation.Language.PSSetIndexBinder+<>c System.Management.Automation.Language.PSSetIndexBinder+<>c__DisplayClass9_0 System.Management.Automation.Language.PSGetMemberBinder+KeyComparer System.Management.Automation.Language.PSGetMemberBinder+ReservedMemberBinder System.Management.Automation.Language.PSGetMemberBinder+<>c System.Management.Automation.Language.PSSetMemberBinder+KeyComparer System.Management.Automation.Language.PSInvokeMemberBinder+MethodInvocationType System.Management.Automation.Language.PSInvokeMemberBinder+KeyComparer System.Management.Automation.Language.PSInvokeMemberBinder+<>c System.Management.Automation.Language.PSInvokeMemberBinder+<>c__DisplayClass18_0 System.Management.Automation.Language.PSInvokeMemberBinder+<>c__DisplayClass18_1 System.Management.Automation.Language.PSCreateInstanceBinder+KeyComparer System.Management.Automation.Language.PSCreateInstanceBinder+<>c System.Management.Automation.Language.PSInvokeBaseCtorBinder+KeyComparer System.Management.Automation.Language.PSInvokeBaseCtorBinder+<>c System.Management.Automation.InteropServices.ComEventsSink+<>c__DisplayClass2_0 System.Management.Automation.InteropServices.ComEventsMethod+DelegateWrapper System.Management.Automation.InteropServices.Variant+TypeUnion System.Management.Automation.InteropServices.Variant+Record System.Management.Automation.InteropServices.Variant+UnionTypes System.Management.Automation.ComInterop.ComBinder+ComGetMemberBinder System.Management.Automation.ComInterop.ComBinder+ComInvokeMemberBinder System.Management.Automation.ComInterop.ComBinder+<>c System.Management.Automation.ComInterop.SplatCallSite+InvokeDelegate System.Management.Automation.Internal.CommonParameters+ValidateVariableName System.Management.Automation.Internal.ModuleUtils+<>c System.Management.Automation.Internal.ModuleUtils+d__9 System.Management.Automation.Internal.ModuleUtils+d__11 System.Management.Automation.Internal.ModuleUtils+d__13 System.Management.Automation.Internal.ModuleUtils+d__19 System.Management.Automation.Internal.ModuleUtils+d__20 System.Management.Automation.Internal.PipelineProcessor+PipelineExecutionStatus System.Management.Automation.Internal.ClientPowerShellDataStructureHandler+connectionStates System.Management.Automation.Internal.ClassOps+<>O System.Management.Automation.Internal.ClassOps+<>c System.Management.Automation.Internal.CabinetNativeApi+FdiAllocDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiFreeDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiOpenDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiReadDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiWriteDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiCloseDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiSeekDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiNotifyDelegate System.Management.Automation.Internal.CabinetNativeApi+PermissionMode System.Management.Automation.Internal.CabinetNativeApi+OpFlags System.Management.Automation.Internal.CabinetNativeApi+FdiCreateCpuType System.Management.Automation.Internal.CabinetNativeApi+FdiNotification System.Management.Automation.Internal.CabinetNativeApi+FdiNotificationType System.Management.Automation.Internal.CabinetNativeApi+FdiERF System.Management.Automation.Internal.CabinetNativeApi+FdiContextHandle System.Management.Automation.Internal.AlternateDataStreamUtilities+NativeMethods System.Management.Automation.Internal.AlternateDataStreamUtilities+SafeFindHandle System.Management.Automation.Internal.AlternateDataStreamUtilities+AlternateStreamNativeData System.Management.Automation.Internal.CopyFileRemoteUtils+d__27 System.Management.Automation.Internal.CopyFileRemoteUtils+d__25 System.Management.Automation.Internal.Host.InternalHost+PromptContextData Microsoft.PowerShell.DeserializingTypeConverter+RehydrationFlags Microsoft.PowerShell.CAPI+CRYPTOAPI_BLOB Microsoft.PowerShell.PSAuthorizationManager+RunPromptDecision Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry+<>c Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>O Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass40_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass43_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass46_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass64_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass83_0 Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter+<>c Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+<>O Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+d__6 Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+d__7 Microsoft.PowerShell.Commands.GetCommandCommand+CommandInfoComparer Microsoft.PowerShell.Commands.GetCommandCommand+<>c Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass60_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass78_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass80_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass80_1 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass83_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass91_0 Microsoft.PowerShell.Commands.GetCommandCommand+d__91 Microsoft.PowerShell.Commands.NounArgumentCompleter+<>c Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass115_0 Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass116_0 Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass120_0 Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass120_1 Microsoft.PowerShell.Commands.SetStrictModeCommand+ArgumentToPSVersionTransformationAttribute Microsoft.PowerShell.Commands.SetStrictModeCommand+ValidateVersionAttribute Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter+d__1 Microsoft.PowerShell.Commands.GetModuleCommand+<>c Microsoft.PowerShell.Commands.GetModuleCommand+<>c__DisplayClass50_0 Microsoft.PowerShell.Commands.GetModuleCommand+d__66 Microsoft.PowerShell.Commands.GetModuleCommand+d__47 Microsoft.PowerShell.Commands.GetModuleCommand+d__67 Microsoft.PowerShell.Commands.PSEditionArgumentCompleter+d__0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>O Microsoft.PowerShell.Commands.ImportModuleCommand+<>c Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass114_0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass121_0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass130_0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass130_1 Microsoft.PowerShell.Commands.ModuleCmdletBase+ManifestProcessingFlags Microsoft.PowerShell.Commands.ModuleCmdletBase+ImportModuleOptions Microsoft.PowerShell.Commands.ModuleCmdletBase+ModuleLoggingGroupPolicyStatus Microsoft.PowerShell.Commands.ModuleCmdletBase+<>c Microsoft.PowerShell.Commands.ModuleCmdletBase+<>c__DisplayClass157_0 Microsoft.PowerShell.Commands.ModuleCmdletBase+d__104 Microsoft.PowerShell.Commands.ModuleCmdletBase+d__95 Microsoft.PowerShell.Commands.ModuleCmdletBase+d__98 Microsoft.PowerShell.Commands.NewModuleManifestCommand+<>c__DisplayClass172_0 Microsoft.PowerShell.Commands.NewModuleManifestCommand+<>c__DisplayClass174_0 Microsoft.PowerShell.Commands.NewModuleManifestCommand+d__165 Microsoft.PowerShell.Commands.RemoveModuleCommand+<>c Microsoft.PowerShell.Commands.TestModuleManifestCommand+<>c Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation Microsoft.PowerShell.Commands.ConnectPSSessionCommand+OverrideParameter Microsoft.PowerShell.Commands.ConnectPSSessionCommand+<>c__DisplayClass79_0 Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand+<>c Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand+<>c__DisplayClass12_0 Microsoft.PowerShell.Commands.DisconnectPSSessionCommand+DisconnectRunspaceOperation Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand+<>c__DisplayClass19_0 Microsoft.PowerShell.Commands.GetJobCommand+<>c Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass33_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_1 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_2 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_3 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass35_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass37_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass46_0 Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet+VMState Microsoft.PowerShell.Commands.PSExecutionCmdlet+<>c Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_2 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_2 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_2 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_2 Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_0 Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_1 Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_2 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass71_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass75_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass76_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass77_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass87_0 Microsoft.PowerShell.Commands.ReceivePSSessionCommand+<>c__DisplayClass84_0 Microsoft.PowerShell.Commands.StopJobCommand+<>c Microsoft.PowerShell.Commands.WaitJobCommand+<>c Microsoft.PowerShell.Commands.GetHelpCommand+HelpView Microsoft.PowerShell.Commands.GetHelpCodeMethods+<>c Microsoft.PowerShell.Commands.UpdatableHelpCommandBase+d__46 Microsoft.PowerShell.Commands.UpdatableHelpCommandBase+d__45 Microsoft.PowerShell.Commands.FileSystemContentReaderWriter+<>c Microsoft.PowerShell.Commands.FileSystemContentReaderWriter+<>c__DisplayClass36_0 Microsoft.PowerShell.Commands.FileStreamBackReader+NativeMethods Microsoft.PowerShell.Commands.FileSystemProvider+ItemType Microsoft.PowerShell.Commands.FileSystemProvider+InodeTracker Microsoft.PowerShell.Commands.FileSystemProvider+<>c Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass41_0 Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass53_0 Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass55_0 Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass63_0 Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+REPARSE_DATA_BUFFER_SYMBOLICLINK Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+REPARSE_DATA_BUFFER_MOUNTPOINT Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+BY_HANDLE_FILE_INFORMATION Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+FILE_TIME Microsoft.PowerShell.Commands.SessionStateProviderBase+<>c Microsoft.PowerShell.Commands.Internal.Win32Native+TOKEN_INFORMATION_CLASS Microsoft.PowerShell.Commands.Internal.Win32Native+SID_NAME_USE Microsoft.PowerShell.Commands.Internal.Win32Native+SID_AND_ATTRIBUTES Microsoft.PowerShell.Commands.Internal.Win32Native+TOKEN_USER Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+OuterCmdletCallback Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+InputObjectCallback Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+WriteObjectCallback Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommandBase+FormattingContextState Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommand+GroupTransition Microsoft.PowerShell.Commands.Internal.Format.ComplexSpecificParameters+ClassInfoDisplay Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormattingState Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+PreprocessingState Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormattingHint Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableFormattingHint Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideFormattingHint Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormatOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+GroupOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableOutputContextBase Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+ListOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+ComplexOutputContext Microsoft.PowerShell.Commands.Internal.Format.IndentationManager+IndentationStackFrame Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper+SplitLinesAccumulator Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper+d__5 Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+LoadingResult Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyBindingStatus Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyLoadResult Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyNameResolver Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager+TypeGenerator Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager+<>O Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+XmlTags Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+XMLStringValues Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ExpressionNodeMatch Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ViewEntryNodeMatch Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ComplexControlMatch Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLoggerEntry+EntryType Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderBase+XmlLoaderStackFrame Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatContextCreationCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatStartCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatEndCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+GroupStartCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+GroupEndCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+PayloadCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+OutputContext Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataClassFactory+<>c Microsoft.PowerShell.Commands.Internal.Format.ViewGenerator+DataBaseInfo Microsoft.PowerShell.Commands.Internal.Format.LineOutput+DoPlayBackCall Microsoft.PowerShell.Commands.Internal.Format.WriteLineHelper+WriteCallback Microsoft.PowerShell.Commands.Internal.Format.StreamingTextWriter+WriteLineCallback Microsoft.PowerShell.Commands.Internal.Format.SubPipelineManager+CommandEntry Microsoft.PowerShell.Commands.Internal.Format.FormattedObjectsCache+ProcessCachedGroupNotification Microsoft.PowerShell.Commands.Internal.Format.TableWriter+ColumnInfo Microsoft.PowerShell.Commands.Internal.Format.TableWriter+ScreenInfo Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput+PromptHandler Microsoft.PowerShell.Cmdletization.ScriptWriter+GenerationOptions Microsoft.PowerShell.Cmdletization.ScriptWriter+<>c +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=11 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=14 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=20 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=46 +__StaticArrayInitTypeSize=56 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=204 +__StaticArrayInitTypeSize=252 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=684 Interop+Windows+FileDesiredAccess Interop+Windows+FileAttributes Interop+Windows+SymbolicLinkFlags Interop+Windows+ActivityControl Interop+Windows+FILE_TIME Interop+Windows+WIN32_FIND_DATA Interop+Windows+SafeFindHandle Interop+Windows+PROCESS_BASIC_INFORMATION Interop+Windows+SHFILEINFO Interop+Windows+NETRESOURCEW System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0+RunnerFactory+Runner System.Management.Automation.Platform+Unix+ItemType System.Management.Automation.Platform+Unix+StatMask System.Management.Automation.Platform+Unix+CommonStat System.Management.Automation.Platform+Unix+NativeMethods System.Management.Automation.ComInvoker+Variant+TypeUnion System.Management.Automation.ComInvoker+Variant+Record System.Management.Automation.ComInvoker+Variant+UnionTypes System.Management.Automation.DotNetAdapter+PropertyCacheEntry+GetterDelegate System.Management.Automation.DotNetAdapter+PropertyCacheEntry+SetterDelegate System.Management.Automation.LanguagePrimitives+EnumSingleTypeConverter+EnumHashEntry System.Management.Automation.LanguagePrimitives+ConvertViaNoArgumentConstructor+<>O System.Management.Automation.LanguagePrimitives+SignatureComparator+TypeMatchingContext System.Management.Automation.ParserOps+ReplaceOperatorImpl+<>c__DisplayClass5_0 System.Management.Automation.RemoteDiscoveryHelper+CimModule+DiscoveredModuleType System.Management.Automation.RemoteDiscoveryHelper+CimModule+CimModuleManifestFile System.Management.Automation.RemoteDiscoveryHelper+CimModule+CimModuleImplementationFile System.Management.Automation.RemoteDiscoveryHelper+CimModule+<>c System.Management.Automation.PSObject+PSDynamicMetaObject+<>c System.Management.Automation.ThrottlingJob+ForwardingHelper+<>c__DisplayClass24_0 System.Management.Automation.ServerRunspacePoolDriver+PowerShellDriverInvoker+InvokePump System.Management.Automation.PSStyle+FileInfoFormatting+FileExtensionDictionary System.Management.Automation.AmsiUtils+AmsiNativeMethods+AMSI_RESULT System.Management.Automation.Verbs+VerbArgumentCompleter+<>c System.Management.Automation.Verbs+VerbArgumentCompleter+d__0 System.Management.Automation.Remoting.Client.WSManNativeApi+WSManUserNameAuthenticationCredentials+WSManUserNameCredentialStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateThumbprintCredentials+WSManThumbprintStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataDWord+WSManDWordDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCommandArgSet+WSManCommandArgSetInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellDisconnectInfo+WSManShellDisconnectInfoInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet+WSManEnvironmentVariableSetInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet+WSManEnvironmentVariableInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManProxyInfo+WSManProxyInfoInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsync+WSManShellAsyncInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManCreateShellDataResultInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManTextDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManConnectDataResultInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManTextDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManReceiveDataResultInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManBinaryDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManPluginRequest+WSManPluginRequestInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSenderDetails+WSManSenderDetailsInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateDetails+WSManCertificateDetailsInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManOperationInfoInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManFragmentInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManFilterInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet+WSManSelectorSetStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet+WSManKeyStruct System.Management.Automation.Interpreter.InstructionList+DebugView+InstructionView System.Management.Automation.Language.Compiler+AutomaticVarSaver+d__5 System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c__DisplayClass25_0 System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c__DisplayClass26_0 System.Management.Automation.Language.TypeDefiner+DefineEnumHelper+<>c System.Management.Automation.Language.TypeDefiner+DefineEnumHelper+<>o__6 System.Management.Automation.Internal.AlternateDataStreamUtilities+NativeMethods+StreamInfoLevels Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation+<>c__DisplayClass17_0 Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation+<>c__DisplayClass18_0 Microsoft.PowerShell.Commands.DisconnectPSSessionCommand+DisconnectRunspaceOperation+<>c__DisplayClass12_0 Microsoft.PowerShell.Commands.FileStreamBackReader+NativeMethods+CPINFO Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideOutputContext+StringValuesBuffer Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput+PromptHandler+PromptResponse Interop+Windows+WIN32_FIND_DATA+e__FixedBuffer Interop+Windows+WIN32_FIND_DATA+e__FixedBuffer Interop+Windows+SHFILEINFO+e__FixedBuffer Interop+Windows+SHFILEINFO+e__FixedBuffer System.Management.Automation.Platform+Unix+NativeMethods+UnixTm System.Management.Automation.Platform+Unix+NativeMethods+CommonStatStruct", + "IsCollectible": false, + "ManifestModule": "System.Management.Automation.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Management.Automation.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "System.Management.Automation.PowerShellAssemblyLoadContextInitializer System.Management.Automation.PowerShellUnsafeAssemblyLoad System.Management.Automation.Platform System.Management.Automation.PSTransactionContext System.Management.Automation.RollbackSeverity System.Management.Automation.AliasInfo System.Management.Automation.ApplicationInfo System.Management.Automation.ValidateArgumentsAttribute System.Management.Automation.ValidateEnumeratedArgumentsAttribute System.Management.Automation.DSCResourceRunAsCredential System.Management.Automation.DscResourceAttribute System.Management.Automation.DscPropertyAttribute System.Management.Automation.DscLocalConfigurationManagerAttribute System.Management.Automation.CmdletCommonMetadataAttribute System.Management.Automation.CmdletAttribute System.Management.Automation.CmdletBindingAttribute System.Management.Automation.OutputTypeAttribute System.Management.Automation.DynamicClassImplementationAssemblyAttribute System.Management.Automation.AliasAttribute System.Management.Automation.ParameterAttribute System.Management.Automation.PSTypeNameAttribute System.Management.Automation.SupportsWildcardsAttribute System.Management.Automation.PSDefaultValueAttribute System.Management.Automation.HiddenAttribute System.Management.Automation.ValidateLengthAttribute System.Management.Automation.ValidateRangeKind System.Management.Automation.ValidateRangeAttribute System.Management.Automation.ValidatePatternAttribute System.Management.Automation.ValidateScriptAttribute System.Management.Automation.ValidateCountAttribute System.Management.Automation.CachedValidValuesGeneratorBase System.Management.Automation.ValidateSetAttribute System.Management.Automation.IValidateSetValuesGenerator System.Management.Automation.ValidateTrustedDataAttribute System.Management.Automation.AllowNullAttribute System.Management.Automation.AllowEmptyStringAttribute System.Management.Automation.AllowEmptyCollectionAttribute System.Management.Automation.ValidateDriveAttribute System.Management.Automation.ValidateUserDriveAttribute System.Management.Automation.NullValidationAttributeBase System.Management.Automation.ValidateNotNullAttribute System.Management.Automation.ValidateNotNullOrAttributeBase System.Management.Automation.ValidateNotNullOrEmptyAttribute System.Management.Automation.ValidateNotNullOrWhiteSpaceAttribute System.Management.Automation.ArgumentTransformationAttribute System.Management.Automation.ChildItemCmdletProviderIntrinsics System.Management.Automation.ReturnContainers System.Management.Automation.Cmdlet System.Management.Automation.ShouldProcessReason System.Management.Automation.ProviderIntrinsics System.Management.Automation.CmdletInfo System.Management.Automation.DefaultParameterDictionary System.Management.Automation.NativeArgumentPassingStyle System.Management.Automation.ErrorView System.Management.Automation.ActionPreference System.Management.Automation.ConfirmImpact System.Management.Automation.PSCmdlet System.Management.Automation.CommandCompletion System.Management.Automation.CompletionCompleters System.Management.Automation.CompletionResultType System.Management.Automation.CompletionResult System.Management.Automation.ArgumentCompleterAttribute System.Management.Automation.IArgumentCompleter System.Management.Automation.IArgumentCompleterFactory System.Management.Automation.ArgumentCompleterFactoryAttribute System.Management.Automation.RegisterArgumentCompleterCommand System.Management.Automation.ArgumentCompletionsAttribute System.Management.Automation.ScopeArgumentCompleter System.Management.Automation.CommandLookupEventArgs System.Management.Automation.PSModuleAutoLoadingPreference System.Management.Automation.CommandTypes System.Management.Automation.CommandInfo System.Management.Automation.PSTypeName System.Management.Automation.SessionCapabilities System.Management.Automation.CommandMetadata System.Management.Automation.ConfigurationInfo System.Management.Automation.ContentCmdletProviderIntrinsics System.Management.Automation.PSCredentialTypes System.Management.Automation.PSCredentialUIOptions System.Management.Automation.GetSymmetricEncryptionKey System.Management.Automation.PSCredential System.Management.Automation.PSDriveInfo System.Management.Automation.ProviderInfo System.Management.Automation.Breakpoint System.Management.Automation.CommandBreakpoint System.Management.Automation.VariableAccessMode System.Management.Automation.VariableBreakpoint System.Management.Automation.LineBreakpoint System.Management.Automation.DebuggerResumeAction System.Management.Automation.DebuggerStopEventArgs System.Management.Automation.BreakpointUpdateType System.Management.Automation.BreakpointUpdatedEventArgs System.Management.Automation.PSJobStartEventArgs System.Management.Automation.StartRunspaceDebugProcessingEventArgs System.Management.Automation.ProcessRunspaceDebugEndEventArgs System.Management.Automation.DebugModes System.Management.Automation.Debugger System.Management.Automation.DebuggerCommandResults System.Management.Automation.PSDebugContext System.Management.Automation.CallStackFrame System.Management.Automation.DriveManagementIntrinsics System.Management.Automation.ImplementedAsType System.Management.Automation.DscResourceInfo System.Management.Automation.DscResourcePropertyInfo System.Management.Automation.EngineIntrinsics System.Management.Automation.FlagsExpression`1[T] System.Management.Automation.ErrorCategory System.Management.Automation.ErrorCategoryInfo System.Management.Automation.ErrorDetails System.Management.Automation.ErrorRecord System.Management.Automation.IContainsErrorRecord System.Management.Automation.IResourceSupplier System.Management.Automation.PSEventManager System.Management.Automation.PSEngineEvent System.Management.Automation.PSEventSubscriber System.Management.Automation.PSEventHandler System.Management.Automation.ForwardedEventArgs System.Management.Automation.PSEventArgs System.Management.Automation.PSEventReceivedEventHandler System.Management.Automation.PSEventUnsubscribedEventArgs System.Management.Automation.PSEventUnsubscribedEventHandler System.Management.Automation.PSEventArgsCollection System.Management.Automation.PSEventJob System.Management.Automation.ExperimentalFeature System.Management.Automation.ExperimentAction System.Management.Automation.ExperimentalAttribute System.Management.Automation.ExtendedTypeSystemException System.Management.Automation.MethodException System.Management.Automation.MethodInvocationException System.Management.Automation.GetValueException System.Management.Automation.PropertyNotFoundException System.Management.Automation.GetValueInvocationException System.Management.Automation.SetValueException System.Management.Automation.SetValueInvocationException System.Management.Automation.PSInvalidCastException System.Management.Automation.ExternalScriptInfo System.Management.Automation.PSSnapInSpecification System.Management.Automation.FilterInfo System.Management.Automation.FunctionInfo System.Management.Automation.HostUtilities System.Management.Automation.InformationalRecord System.Management.Automation.WarningRecord System.Management.Automation.DebugRecord System.Management.Automation.VerboseRecord System.Management.Automation.PSListModifier System.Management.Automation.PSListModifier`1[T] System.Management.Automation.InvalidPowerShellStateException System.Management.Automation.PSInvocationState System.Management.Automation.RunspaceMode System.Management.Automation.PSInvocationStateInfo System.Management.Automation.PSInvocationStateChangedEventArgs System.Management.Automation.PSInvocationSettings System.Management.Automation.RemoteStreamOptions System.Management.Automation.PowerShell System.Management.Automation.PSDataStreams System.Management.Automation.PSCommand System.Management.Automation.DataAddedEventArgs System.Management.Automation.DataAddingEventArgs System.Management.Automation.PSDataCollection`1[T] System.Management.Automation.ICommandRuntime System.Management.Automation.ICommandRuntime2 System.Management.Automation.InformationRecord System.Management.Automation.HostInformationMessage System.Management.Automation.InvocationInfo System.Management.Automation.RemoteCommandInfo System.Management.Automation.ItemCmdletProviderIntrinsics System.Management.Automation.CopyContainers System.Management.Automation.PSTypeConverter System.Management.Automation.ConvertThroughString System.Management.Automation.LanguagePrimitives System.Management.Automation.PSParseError System.Management.Automation.PSParser System.Management.Automation.PSToken System.Management.Automation.PSTokenType System.Management.Automation.FlowControlException System.Management.Automation.LoopFlowException System.Management.Automation.BreakException System.Management.Automation.ContinueException System.Management.Automation.ExitException System.Management.Automation.TerminateException System.Management.Automation.SplitOptions System.Management.Automation.ScriptBlock System.Management.Automation.SteppablePipeline System.Management.Automation.ScriptBlockToPowerShellNotSupportedException System.Management.Automation.ModuleIntrinsics System.Management.Automation.IModuleAssemblyInitializer System.Management.Automation.IModuleAssemblyCleanup System.Management.Automation.PSModuleInfo System.Management.Automation.ModuleType System.Management.Automation.ModuleAccessMode System.Management.Automation.IDynamicParameters System.Management.Automation.SwitchParameter System.Management.Automation.CommandInvocationIntrinsics System.Management.Automation.PSMemberTypes System.Management.Automation.PSMemberViewTypes System.Management.Automation.PSMemberInfo System.Management.Automation.PSPropertyInfo System.Management.Automation.PSAliasProperty System.Management.Automation.PSCodeProperty System.Management.Automation.PSProperty System.Management.Automation.PSAdaptedProperty System.Management.Automation.PSNoteProperty System.Management.Automation.PSVariableProperty System.Management.Automation.PSScriptProperty System.Management.Automation.PSMethodInfo System.Management.Automation.PSCodeMethod System.Management.Automation.PSScriptMethod System.Management.Automation.PSMethod System.Management.Automation.PSParameterizedProperty System.Management.Automation.PSMemberSet System.Management.Automation.PSPropertySet System.Management.Automation.PSEvent System.Management.Automation.PSDynamicMember System.Management.Automation.MemberNamePredicate System.Management.Automation.PSMemberInfoCollection`1[T] System.Management.Automation.ReadOnlyPSMemberInfoCollection`1[T] System.Management.Automation.PSObject System.Management.Automation.PSCustomObject System.Management.Automation.SettingValueExceptionEventArgs System.Management.Automation.GettingValueExceptionEventArgs System.Management.Automation.PSObjectPropertyDescriptor System.Management.Automation.PSObjectTypeDescriptor System.Management.Automation.PSObjectTypeDescriptionProvider System.Management.Automation.PSReference System.Management.Automation.PSSecurityException System.Management.Automation.NativeCommandExitException System.Management.Automation.RemoteException System.Management.Automation.OrderedHashtable System.Management.Automation.CommandParameterInfo System.Management.Automation.CommandParameterSetInfo System.Management.Automation.TypeInferenceRuntimePermissions System.Management.Automation.PathIntrinsics System.Management.Automation.PowerShellStreamType System.Management.Automation.ProgressRecord System.Management.Automation.ProgressRecordType System.Management.Automation.PropertyCmdletProviderIntrinsics System.Management.Automation.CmdletProviderManagementIntrinsics System.Management.Automation.ProxyCommand System.Management.Automation.PSClassInfo System.Management.Automation.PSClassMemberInfo System.Management.Automation.RuntimeDefinedParameter System.Management.Automation.RuntimeDefinedParameterDictionary System.Management.Automation.PSVersionInfo System.Management.Automation.PSVersionHashTable System.Management.Automation.SemanticVersion System.Management.Automation.WildcardOptions System.Management.Automation.WildcardPattern System.Management.Automation.WildcardPatternException System.Management.Automation.JobState System.Management.Automation.InvalidJobStateException System.Management.Automation.JobStateInfo System.Management.Automation.JobStateEventArgs System.Management.Automation.JobIdentifier System.Management.Automation.IJobDebugger System.Management.Automation.Job System.Management.Automation.Job2 System.Management.Automation.JobThreadOptions System.Management.Automation.ContainerParentJob System.Management.Automation.JobFailedException System.Management.Automation.JobManager System.Management.Automation.JobDefinition System.Management.Automation.JobInvocationInfo System.Management.Automation.JobSourceAdapter System.Management.Automation.PowerShellStreams`2[TInput,TOutput] System.Management.Automation.Repository`1[T] System.Management.Automation.JobRepository System.Management.Automation.RunspaceRepository System.Management.Automation.RemotingCapability System.Management.Automation.RemotingBehavior System.Management.Automation.PSSessionTypeOption System.Management.Automation.PSTransportOption System.Management.Automation.RunspacePoolStateInfo System.Management.Automation.WhereOperatorSelectionMode System.Management.Automation.ScriptInfo System.Management.Automation.SecurityDescriptorCmdletProviderIntrinsics System.Management.Automation.CommandOrigin System.Management.Automation.AuthorizationManager System.Management.Automation.PSSerializer System.Management.Automation.PSPrimitiveDictionary System.Management.Automation.LocationChangedEventArgs System.Management.Automation.SessionState System.Management.Automation.SessionStateEntryVisibility System.Management.Automation.PSLanguageMode System.Management.Automation.PSVariable System.Management.Automation.ScopedItemOptions System.Management.Automation.PSPropertyAdapter System.Management.Automation.ParameterSetMetadata System.Management.Automation.ParameterMetadata System.Management.Automation.PagingParameters System.Management.Automation.PSVariableIntrinsics System.Management.Automation.VariablePath System.Management.Automation.ExtendedTypeDefinition System.Management.Automation.FormatViewDefinition System.Management.Automation.PSControl System.Management.Automation.PSControlGroupBy System.Management.Automation.DisplayEntry System.Management.Automation.EntrySelectedBy System.Management.Automation.Alignment System.Management.Automation.DisplayEntryValueType System.Management.Automation.CustomControl System.Management.Automation.CustomControlEntry System.Management.Automation.CustomItemBase System.Management.Automation.CustomItemExpression System.Management.Automation.CustomItemFrame System.Management.Automation.CustomItemNewline System.Management.Automation.CustomItemText System.Management.Automation.CustomEntryBuilder System.Management.Automation.CustomControlBuilder System.Management.Automation.ListControl System.Management.Automation.ListControlEntry System.Management.Automation.ListControlEntryItem System.Management.Automation.ListEntryBuilder System.Management.Automation.ListControlBuilder System.Management.Automation.TableControl System.Management.Automation.TableControlColumnHeader System.Management.Automation.TableControlColumn System.Management.Automation.TableControlRow System.Management.Automation.TableRowDefinitionBuilder System.Management.Automation.TableControlBuilder System.Management.Automation.WideControl System.Management.Automation.WideControlEntryItem System.Management.Automation.WideControlBuilder System.Management.Automation.OutputRendering System.Management.Automation.ProgressView System.Management.Automation.PSStyle System.Management.Automation.PathInfo System.Management.Automation.PathInfoStack System.Management.Automation.SigningOption System.Management.Automation.CatalogValidationStatus System.Management.Automation.CatalogInformation System.Management.Automation.CredentialAttribute System.Management.Automation.SignatureStatus System.Management.Automation.SignatureType System.Management.Automation.Signature System.Management.Automation.CmsMessageRecipient System.Management.Automation.ResolutionPurpose System.Management.Automation.PSSnapInInfo System.Management.Automation.CommandNotFoundException System.Management.Automation.ScriptRequiresException System.Management.Automation.ApplicationFailedException System.Management.Automation.ProviderCmdlet System.Management.Automation.CmdletInvocationException System.Management.Automation.CmdletProviderInvocationException System.Management.Automation.PipelineStoppedException System.Management.Automation.PipelineClosedException System.Management.Automation.ActionPreferenceStopException System.Management.Automation.ParentContainsErrorRecordException System.Management.Automation.RedirectedException System.Management.Automation.ScriptCallDepthException System.Management.Automation.PipelineDepthException System.Management.Automation.HaltCommandException System.Management.Automation.MetadataException System.Management.Automation.ValidationMetadataException System.Management.Automation.ArgumentTransformationMetadataException System.Management.Automation.ParsingMetadataException System.Management.Automation.PSArgumentException System.Management.Automation.PSArgumentNullException System.Management.Automation.PSArgumentOutOfRangeException System.Management.Automation.PSInvalidOperationException System.Management.Automation.PSNotImplementedException System.Management.Automation.PSNotSupportedException System.Management.Automation.PSObjectDisposedException System.Management.Automation.PSTraceSource System.Management.Automation.ParameterBindingException System.Management.Automation.ParseException System.Management.Automation.IncompleteParseException System.Management.Automation.RuntimeException System.Management.Automation.ProviderInvocationException System.Management.Automation.SessionStateCategory System.Management.Automation.SessionStateException System.Management.Automation.SessionStateUnauthorizedAccessException System.Management.Automation.ProviderNotFoundException System.Management.Automation.ProviderNameAmbiguousException System.Management.Automation.DriveNotFoundException System.Management.Automation.ItemNotFoundException System.Management.Automation.PSTraceSourceOptions System.Management.Automation.VerbsCommon System.Management.Automation.VerbsData System.Management.Automation.VerbsLifecycle System.Management.Automation.VerbsDiagnostic System.Management.Automation.VerbsCommunications System.Management.Automation.VerbsSecurity System.Management.Automation.VerbsOther System.Management.Automation.VerbInfo System.Management.Automation.VTUtility System.Management.Automation.Tracing.PowerShellTraceEvent System.Management.Automation.Tracing.PowerShellTraceChannel System.Management.Automation.Tracing.PowerShellTraceLevel System.Management.Automation.Tracing.PowerShellTraceOperationCode System.Management.Automation.Tracing.PowerShellTraceTask System.Management.Automation.Tracing.PowerShellTraceKeywords System.Management.Automation.Tracing.BaseChannelWriter System.Management.Automation.Tracing.NullWriter System.Management.Automation.Tracing.PowerShellChannelWriter System.Management.Automation.Tracing.PowerShellTraceSource System.Management.Automation.Tracing.PowerShellTraceSourceFactory System.Management.Automation.Tracing.EtwEvent System.Management.Automation.Tracing.CallbackNoParameter System.Management.Automation.Tracing.CallbackWithState System.Management.Automation.Tracing.CallbackWithStateAndArgs System.Management.Automation.Tracing.EtwEventArgs System.Management.Automation.Tracing.EtwActivity System.Management.Automation.Tracing.IEtwActivityReverter System.Management.Automation.Tracing.IEtwEventCorrelator System.Management.Automation.Tracing.EtwEventCorrelator System.Management.Automation.Tracing.Tracer System.Management.Automation.Security.SystemScriptFileEnforcement System.Management.Automation.Security.SystemEnforcementMode System.Management.Automation.Security.SystemPolicy System.Management.Automation.Provider.ContainerCmdletProvider System.Management.Automation.Provider.DriveCmdletProvider System.Management.Automation.Provider.IContentCmdletProvider System.Management.Automation.Provider.IContentReader System.Management.Automation.Provider.IContentWriter System.Management.Automation.Provider.IDynamicPropertyCmdletProvider System.Management.Automation.Provider.ISecurityDescriptorCmdletProvider System.Management.Automation.Provider.IPropertyCmdletProvider System.Management.Automation.Provider.ItemCmdletProvider System.Management.Automation.Provider.NavigationCmdletProvider System.Management.Automation.Provider.ICmdletProviderSupportsHelp System.Management.Automation.Provider.CmdletProvider System.Management.Automation.Provider.CmdletProviderAttribute System.Management.Automation.Provider.ProviderCapabilities System.Management.Automation.Subsystem.GetPSSubsystemCommand System.Management.Automation.Subsystem.SubsystemKind System.Management.Automation.Subsystem.ISubsystem System.Management.Automation.Subsystem.SubsystemInfo System.Management.Automation.Subsystem.SubsystemManager System.Management.Automation.Subsystem.Prediction.PredictionResult System.Management.Automation.Subsystem.Prediction.CommandPrediction System.Management.Automation.Subsystem.Prediction.ICommandPredictor System.Management.Automation.Subsystem.Prediction.PredictorFeedbackKind System.Management.Automation.Subsystem.Prediction.PredictionClientKind System.Management.Automation.Subsystem.Prediction.PredictionClient System.Management.Automation.Subsystem.Prediction.PredictionContext System.Management.Automation.Subsystem.Prediction.PredictiveSuggestion System.Management.Automation.Subsystem.Prediction.SuggestionPackage System.Management.Automation.Subsystem.Feedback.FeedbackResult System.Management.Automation.Subsystem.Feedback.FeedbackHub System.Management.Automation.Subsystem.Feedback.FeedbackTrigger System.Management.Automation.Subsystem.Feedback.FeedbackDisplayLayout System.Management.Automation.Subsystem.Feedback.FeedbackContext System.Management.Automation.Subsystem.Feedback.FeedbackItem System.Management.Automation.Subsystem.Feedback.IFeedbackProvider System.Management.Automation.Subsystem.DSC.ICrossPlatformDsc System.Management.Automation.Remoting.OriginInfo System.Management.Automation.Remoting.ProxyAccessType System.Management.Automation.Remoting.PSSessionOption System.Management.Automation.Remoting.CmdletMethodInvoker`1[T] System.Management.Automation.Remoting.RemoteSessionNamedPipeServer System.Management.Automation.Remoting.PSRemotingDataStructureException System.Management.Automation.Remoting.PSRemotingTransportException System.Management.Automation.Remoting.PSRemotingTransportRedirectException System.Management.Automation.Remoting.PSDirectException System.Management.Automation.Remoting.TransportMethodEnum System.Management.Automation.Remoting.TransportErrorOccuredEventArgs System.Management.Automation.Remoting.BaseTransportManager System.Management.Automation.Remoting.PSSessionConfiguration System.Management.Automation.Remoting.SessionType System.Management.Automation.Remoting.PSSenderInfo System.Management.Automation.Remoting.PSPrincipal System.Management.Automation.Remoting.PSIdentity System.Management.Automation.Remoting.PSCertificateDetails System.Management.Automation.Remoting.PSSessionConfigurationData System.Management.Automation.Remoting.WSManPluginManagedEntryWrapper System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper System.Management.Automation.Remoting.WSMan.WSManServerChannelEvents System.Management.Automation.Remoting.WSMan.ActiveSessionsChangedEventArgs System.Management.Automation.Remoting.Client.BaseClientTransportManager System.Management.Automation.Remoting.Client.BaseClientSessionTransportManager System.Management.Automation.Remoting.Client.ClientSessionTransportManagerBase System.Management.Automation.Remoting.Internal.PSStreamObjectType System.Management.Automation.Remoting.Internal.PSStreamObject System.Management.Automation.Configuration.ConfigScope System.Management.Automation.PSTasks.PSTaskJob System.Management.Automation.Host.ChoiceDescription System.Management.Automation.Host.FieldDescription System.Management.Automation.Host.PSHost System.Management.Automation.Host.IHostSupportsInteractiveSession System.Management.Automation.Host.Coordinates System.Management.Automation.Host.Size System.Management.Automation.Host.ReadKeyOptions System.Management.Automation.Host.ControlKeyStates System.Management.Automation.Host.KeyInfo System.Management.Automation.Host.Rectangle System.Management.Automation.Host.BufferCell System.Management.Automation.Host.BufferCellType System.Management.Automation.Host.PSHostRawUserInterface System.Management.Automation.Host.PSHostUserInterface System.Management.Automation.Host.IHostUISupportsMultipleChoiceSelection System.Management.Automation.Host.HostException System.Management.Automation.Host.PromptingException System.Management.Automation.Runspaces.Command System.Management.Automation.Runspaces.PipelineResultTypes System.Management.Automation.Runspaces.CommandCollection System.Management.Automation.Runspaces.InvalidRunspaceStateException System.Management.Automation.Runspaces.RunspaceState System.Management.Automation.Runspaces.PSThreadOptions System.Management.Automation.Runspaces.RunspaceStateInfo System.Management.Automation.Runspaces.RunspaceStateEventArgs System.Management.Automation.Runspaces.RunspaceAvailability System.Management.Automation.Runspaces.RunspaceAvailabilityEventArgs System.Management.Automation.Runspaces.RunspaceCapability System.Management.Automation.Runspaces.Runspace System.Management.Automation.Runspaces.SessionStateProxy System.Management.Automation.Runspaces.RunspaceFactory System.Management.Automation.Runspaces.RunspaceOpenModuleLoadException System.Management.Automation.Runspaces.CommandParameter System.Management.Automation.Runspaces.CommandParameterCollection System.Management.Automation.Runspaces.InvalidPipelineStateException System.Management.Automation.Runspaces.PipelineState System.Management.Automation.Runspaces.PipelineStateInfo System.Management.Automation.Runspaces.PipelineStateEventArgs System.Management.Automation.Runspaces.Pipeline System.Management.Automation.Runspaces.PowerShellProcessInstance System.Management.Automation.Runspaces.InvalidRunspacePoolStateException System.Management.Automation.Runspaces.RunspacePoolState System.Management.Automation.Runspaces.RunspacePoolStateChangedEventArgs System.Management.Automation.Runspaces.RunspacePoolAvailability System.Management.Automation.Runspaces.RunspacePoolCapability System.Management.Automation.Runspaces.RunspacePool System.Management.Automation.Runspaces.InitialSessionStateEntry System.Management.Automation.Runspaces.ConstrainedSessionStateEntry System.Management.Automation.Runspaces.SessionStateCommandEntry System.Management.Automation.Runspaces.SessionStateTypeEntry System.Management.Automation.Runspaces.SessionStateFormatEntry System.Management.Automation.Runspaces.SessionStateAssemblyEntry System.Management.Automation.Runspaces.SessionStateCmdletEntry System.Management.Automation.Runspaces.SessionStateProviderEntry System.Management.Automation.Runspaces.SessionStateScriptEntry System.Management.Automation.Runspaces.SessionStateAliasEntry System.Management.Automation.Runspaces.SessionStateApplicationEntry System.Management.Automation.Runspaces.SessionStateFunctionEntry System.Management.Automation.Runspaces.SessionStateVariableEntry System.Management.Automation.Runspaces.InitialSessionStateEntryCollection`1[T] System.Management.Automation.Runspaces.InitialSessionState System.Management.Automation.Runspaces.TargetMachineType System.Management.Automation.Runspaces.PSSession System.Management.Automation.Runspaces.RemotingErrorRecord System.Management.Automation.Runspaces.RemotingProgressRecord System.Management.Automation.Runspaces.RemotingWarningRecord System.Management.Automation.Runspaces.RemotingDebugRecord System.Management.Automation.Runspaces.RemotingVerboseRecord System.Management.Automation.Runspaces.RemotingInformationRecord System.Management.Automation.Runspaces.AuthenticationMechanism System.Management.Automation.Runspaces.PSSessionConfigurationAccessMode System.Management.Automation.Runspaces.OutputBufferingMode System.Management.Automation.Runspaces.RunspaceConnectionInfo System.Management.Automation.Runspaces.WSManConnectionInfo System.Management.Automation.Runspaces.NamedPipeConnectionInfo System.Management.Automation.Runspaces.SSHConnectionInfo System.Management.Automation.Runspaces.VMConnectionInfo System.Management.Automation.Runspaces.ContainerConnectionInfo System.Management.Automation.Runspaces.TypeTableLoadException System.Management.Automation.Runspaces.TypeData System.Management.Automation.Runspaces.TypeMemberData System.Management.Automation.Runspaces.NotePropertyData System.Management.Automation.Runspaces.AliasPropertyData System.Management.Automation.Runspaces.ScriptPropertyData System.Management.Automation.Runspaces.CodePropertyData System.Management.Automation.Runspaces.ScriptMethodData System.Management.Automation.Runspaces.CodeMethodData System.Management.Automation.Runspaces.PropertySetData System.Management.Automation.Runspaces.MemberSetData System.Management.Automation.Runspaces.TypeTable System.Management.Automation.Runspaces.FormatTableLoadException System.Management.Automation.Runspaces.FormatTable System.Management.Automation.Runspaces.PSConsoleLoadException System.Management.Automation.Runspaces.PSSnapInException System.Management.Automation.Runspaces.PipelineReader`1[T] System.Management.Automation.Runspaces.PipelineWriter System.Management.Automation.Language.StaticParameterBinder System.Management.Automation.Language.StaticBindingResult System.Management.Automation.Language.ParameterBindingResult System.Management.Automation.Language.StaticBindingError System.Management.Automation.Language.CodeGeneration System.Management.Automation.Language.NullString System.Management.Automation.Language.Ast System.Management.Automation.Language.ErrorStatementAst System.Management.Automation.Language.ErrorExpressionAst System.Management.Automation.Language.ScriptRequirements System.Management.Automation.Language.ScriptBlockAst System.Management.Automation.Language.ParamBlockAst System.Management.Automation.Language.NamedBlockAst System.Management.Automation.Language.NamedAttributeArgumentAst System.Management.Automation.Language.AttributeBaseAst System.Management.Automation.Language.AttributeAst System.Management.Automation.Language.TypeConstraintAst System.Management.Automation.Language.ParameterAst System.Management.Automation.Language.StatementBlockAst System.Management.Automation.Language.StatementAst System.Management.Automation.Language.TypeAttributes System.Management.Automation.Language.TypeDefinitionAst System.Management.Automation.Language.UsingStatementKind System.Management.Automation.Language.UsingStatementAst System.Management.Automation.Language.MemberAst System.Management.Automation.Language.PropertyAttributes System.Management.Automation.Language.PropertyMemberAst System.Management.Automation.Language.MethodAttributes System.Management.Automation.Language.FunctionMemberAst System.Management.Automation.Language.FunctionDefinitionAst System.Management.Automation.Language.IfStatementAst System.Management.Automation.Language.DataStatementAst System.Management.Automation.Language.LabeledStatementAst System.Management.Automation.Language.LoopStatementAst System.Management.Automation.Language.ForEachFlags System.Management.Automation.Language.ForEachStatementAst System.Management.Automation.Language.ForStatementAst System.Management.Automation.Language.DoWhileStatementAst System.Management.Automation.Language.DoUntilStatementAst System.Management.Automation.Language.WhileStatementAst System.Management.Automation.Language.SwitchFlags System.Management.Automation.Language.SwitchStatementAst System.Management.Automation.Language.CatchClauseAst System.Management.Automation.Language.TryStatementAst System.Management.Automation.Language.TrapStatementAst System.Management.Automation.Language.BreakStatementAst System.Management.Automation.Language.ContinueStatementAst System.Management.Automation.Language.ReturnStatementAst System.Management.Automation.Language.ExitStatementAst System.Management.Automation.Language.ThrowStatementAst System.Management.Automation.Language.ChainableAst System.Management.Automation.Language.PipelineChainAst System.Management.Automation.Language.PipelineBaseAst System.Management.Automation.Language.PipelineAst System.Management.Automation.Language.CommandElementAst System.Management.Automation.Language.CommandParameterAst System.Management.Automation.Language.CommandBaseAst System.Management.Automation.Language.CommandAst System.Management.Automation.Language.CommandExpressionAst System.Management.Automation.Language.RedirectionAst System.Management.Automation.Language.RedirectionStream System.Management.Automation.Language.MergingRedirectionAst System.Management.Automation.Language.FileRedirectionAst System.Management.Automation.Language.AssignmentStatementAst System.Management.Automation.Language.ConfigurationType System.Management.Automation.Language.ConfigurationDefinitionAst System.Management.Automation.Language.DynamicKeywordStatementAst System.Management.Automation.Language.ExpressionAst System.Management.Automation.Language.TernaryExpressionAst System.Management.Automation.Language.BinaryExpressionAst System.Management.Automation.Language.UnaryExpressionAst System.Management.Automation.Language.BlockStatementAst System.Management.Automation.Language.AttributedExpressionAst System.Management.Automation.Language.ConvertExpressionAst System.Management.Automation.Language.MemberExpressionAst System.Management.Automation.Language.InvokeMemberExpressionAst System.Management.Automation.Language.BaseCtorInvokeMemberExpressionAst System.Management.Automation.Language.ITypeName System.Management.Automation.Language.TypeName System.Management.Automation.Language.GenericTypeName System.Management.Automation.Language.ArrayTypeName System.Management.Automation.Language.ReflectionTypeName System.Management.Automation.Language.TypeExpressionAst System.Management.Automation.Language.VariableExpressionAst System.Management.Automation.Language.ConstantExpressionAst System.Management.Automation.Language.StringConstantType System.Management.Automation.Language.StringConstantExpressionAst System.Management.Automation.Language.ExpandableStringExpressionAst System.Management.Automation.Language.ScriptBlockExpressionAst System.Management.Automation.Language.ArrayLiteralAst System.Management.Automation.Language.HashtableAst System.Management.Automation.Language.ArrayExpressionAst System.Management.Automation.Language.ParenExpressionAst System.Management.Automation.Language.SubExpressionAst System.Management.Automation.Language.UsingExpressionAst System.Management.Automation.Language.IndexExpressionAst System.Management.Automation.Language.CommentHelpInfo System.Management.Automation.Language.ICustomAstVisitor System.Management.Automation.Language.ICustomAstVisitor2 System.Management.Automation.Language.DefaultCustomAstVisitor System.Management.Automation.Language.DefaultCustomAstVisitor2 System.Management.Automation.Language.Parser System.Management.Automation.Language.ParseError System.Management.Automation.Language.IScriptPosition System.Management.Automation.Language.IScriptExtent System.Management.Automation.Language.ScriptPosition System.Management.Automation.Language.ScriptExtent System.Management.Automation.Language.AstVisitAction System.Management.Automation.Language.AstVisitor System.Management.Automation.Language.AstVisitor2 System.Management.Automation.Language.IAstPostVisitHandler System.Management.Automation.Language.NoRunspaceAffinityAttribute System.Management.Automation.Language.TokenKind System.Management.Automation.Language.TokenFlags System.Management.Automation.Language.TokenTraits System.Management.Automation.Language.Token System.Management.Automation.Language.NumberToken System.Management.Automation.Language.ParameterToken System.Management.Automation.Language.VariableToken System.Management.Automation.Language.StringToken System.Management.Automation.Language.StringLiteralToken System.Management.Automation.Language.StringExpandableToken System.Management.Automation.Language.LabelToken System.Management.Automation.Language.RedirectionToken System.Management.Automation.Language.InputRedirectionToken System.Management.Automation.Language.MergingRedirectionToken System.Management.Automation.Language.FileRedirectionToken System.Management.Automation.Language.DynamicKeywordNameMode System.Management.Automation.Language.DynamicKeywordBodyMode System.Management.Automation.Language.DynamicKeyword System.Management.Automation.Language.DynamicKeywordProperty System.Management.Automation.Language.DynamicKeywordParameter System.Management.Automation.Internal.CmdletMetadataAttribute System.Management.Automation.Internal.ParsingBaseAttribute System.Management.Automation.Internal.AutomationNull System.Management.Automation.Internal.InternalCommand System.Management.Automation.Internal.CommonParameters System.Management.Automation.Internal.DebuggerUtils System.Management.Automation.Internal.PSMonitorRunspaceType System.Management.Automation.Internal.PSMonitorRunspaceInfo System.Management.Automation.Internal.PSStandaloneMonitorRunspaceInfo System.Management.Automation.Internal.PSEmbeddedMonitorRunspaceInfo System.Management.Automation.Internal.SessionStateKeeper System.Management.Automation.Internal.ScriptBlockMemberMethodWrapper System.Management.Automation.Internal.ClassOps System.Management.Automation.Internal.ShouldProcessParameters System.Management.Automation.Internal.TransactionParameters System.Management.Automation.Internal.InternalTestHooks System.Management.Automation.Internal.StringDecorated System.Management.Automation.Internal.AlternateStreamData System.Management.Automation.Internal.AlternateDataStreamUtilities System.Management.Automation.Internal.SecuritySupport System.Management.Automation.Internal.PSRemotingCryptoHelper Microsoft.PowerShell.ToStringCodeMethods Microsoft.PowerShell.AdapterCodeMethods Microsoft.PowerShell.ProcessCodeMethods Microsoft.PowerShell.DeserializingTypeConverter Microsoft.PowerShell.PSAuthorizationManager Microsoft.PowerShell.ExecutionPolicy Microsoft.PowerShell.ExecutionPolicyScope Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry Microsoft.PowerShell.DesiredStateConfiguration.ArgumentToConfigurationDataTransformationAttribute Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscRemoteOperationsClass Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache Microsoft.PowerShell.Commands.EnableDisableExperimentalFeatureCommandBase Microsoft.PowerShell.Commands.EnableExperimentalFeatureCommand Microsoft.PowerShell.Commands.DisableExperimentalFeatureCommand Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand Microsoft.PowerShell.Commands.GetCommandCommand Microsoft.PowerShell.Commands.NounArgumentCompleter Microsoft.PowerShell.Commands.HistoryInfo Microsoft.PowerShell.Commands.GetHistoryCommand Microsoft.PowerShell.Commands.InvokeHistoryCommand Microsoft.PowerShell.Commands.AddHistoryCommand Microsoft.PowerShell.Commands.ClearHistoryCommand Microsoft.PowerShell.Commands.ForEachObjectCommand Microsoft.PowerShell.Commands.WhereObjectCommand Microsoft.PowerShell.Commands.SetPSDebugCommand Microsoft.PowerShell.Commands.SetStrictModeCommand Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter Microsoft.PowerShell.Commands.ExportModuleMemberCommand Microsoft.PowerShell.Commands.GetModuleCommand Microsoft.PowerShell.Commands.PSEditionArgumentCompleter Microsoft.PowerShell.Commands.ImportModuleCommand Microsoft.PowerShell.Commands.ModuleCmdletBase Microsoft.PowerShell.Commands.ModuleSpecification Microsoft.PowerShell.Commands.NewModuleCommand Microsoft.PowerShell.Commands.NewModuleManifestCommand Microsoft.PowerShell.Commands.RemoveModuleCommand Microsoft.PowerShell.Commands.TestModuleManifestCommand Microsoft.PowerShell.Commands.ObjectEventRegistrationBase Microsoft.PowerShell.Commands.ConnectPSSessionCommand Microsoft.PowerShell.Commands.RegisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.PSSessionConfigurationCommandBase Microsoft.PowerShell.Commands.UnregisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.GetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.SetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.DisablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSRemotingCommand Microsoft.PowerShell.Commands.DisablePSRemotingCommand Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand Microsoft.PowerShell.Commands.DebugJobCommand Microsoft.PowerShell.Commands.DisconnectPSSessionCommand Microsoft.PowerShell.Commands.EnterPSHostProcessCommand Microsoft.PowerShell.Commands.ExitPSHostProcessCommand Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand Microsoft.PowerShell.Commands.PSHostProcessInfo Microsoft.PowerShell.Commands.GetJobCommand Microsoft.PowerShell.Commands.GetPSSessionCommand Microsoft.PowerShell.Commands.InvokeCommandCommand Microsoft.PowerShell.Commands.NewPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.NewPSRoleCapabilityFileCommand Microsoft.PowerShell.Commands.WSManConfigurationOption Microsoft.PowerShell.Commands.NewPSTransportOptionCommand Microsoft.PowerShell.Commands.NewPSSessionOptionCommand Microsoft.PowerShell.Commands.NewPSSessionCommand Microsoft.PowerShell.Commands.ExitPSSessionCommand Microsoft.PowerShell.Commands.PSRemotingCmdlet Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet Microsoft.PowerShell.Commands.PSExecutionCmdlet Microsoft.PowerShell.Commands.PSRunspaceCmdlet Microsoft.PowerShell.Commands.SessionFilterState Microsoft.PowerShell.Commands.EnterPSSessionCommand Microsoft.PowerShell.Commands.ReceiveJobCommand Microsoft.PowerShell.Commands.ReceivePSSessionCommand Microsoft.PowerShell.Commands.OutTarget Microsoft.PowerShell.Commands.JobCmdletBase Microsoft.PowerShell.Commands.RemoveJobCommand Microsoft.PowerShell.Commands.RemovePSSessionCommand Microsoft.PowerShell.Commands.StartJobCommand Microsoft.PowerShell.Commands.StopJobCommand Microsoft.PowerShell.Commands.TestPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.WaitJobCommand Microsoft.PowerShell.Commands.OpenMode Microsoft.PowerShell.Commands.PSPropertyExpressionResult Microsoft.PowerShell.Commands.PSPropertyExpression Microsoft.PowerShell.Commands.FormatDefaultCommand Microsoft.PowerShell.Commands.OutNullCommand Microsoft.PowerShell.Commands.OutDefaultCommand Microsoft.PowerShell.Commands.OutHostCommand Microsoft.PowerShell.Commands.OutLineOutputCommand Microsoft.PowerShell.Commands.HelpCategoryInvalidException Microsoft.PowerShell.Commands.GetHelpCommand Microsoft.PowerShell.Commands.GetHelpCodeMethods Microsoft.PowerShell.Commands.HelpNotFoundException Microsoft.PowerShell.Commands.SaveHelpCommand Microsoft.PowerShell.Commands.UpdatableHelpCommandBase Microsoft.PowerShell.Commands.UpdateHelpScope Microsoft.PowerShell.Commands.UpdateHelpCommand Microsoft.PowerShell.Commands.AliasProvider Microsoft.PowerShell.Commands.AliasProviderDynamicParameters Microsoft.PowerShell.Commands.EnvironmentProvider Microsoft.PowerShell.Commands.FileSystemProvider Microsoft.PowerShell.Commands.FileSystemContentDynamicParametersBase Microsoft.PowerShell.Commands.FileSystemClearContentDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentWriterDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentReaderDynamicParameters Microsoft.PowerShell.Commands.FileSystemItemProviderDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderGetItemDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderRemoveItemDynamicParameters Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods Microsoft.PowerShell.Commands.FunctionProvider Microsoft.PowerShell.Commands.FunctionProviderDynamicParameters Microsoft.PowerShell.Commands.RegistryProvider Microsoft.PowerShell.Commands.RegistryProviderSetItemDynamicParameter Microsoft.PowerShell.Commands.SessionStateProviderBase Microsoft.PowerShell.Commands.SessionStateProviderBaseContentReaderWriter Microsoft.PowerShell.Commands.VariableProvider Microsoft.PowerShell.Commands.Internal.RemotingErrorResources Microsoft.PowerShell.Commands.Internal.Format.FrontEndCommandBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatShapeCommandBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableAndListBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableBase Microsoft.PowerShell.Cim.CimInstanceAdapter Microsoft.PowerShell.Cmdletization.MethodInvocationInfo Microsoft.PowerShell.Cmdletization.MethodParameterBindings Microsoft.PowerShell.Cmdletization.MethodParameter Microsoft.PowerShell.Cmdletization.CmdletAdapter`1[TObjectInstance] Microsoft.PowerShell.Cmdletization.BehaviorOnNoMatch Microsoft.PowerShell.Cmdletization.QueryBuilder Microsoft.PowerShell.Cmdletization.Xml.ConfirmImpact Microsoft.PowerShell.Cmdletization.Xml.ItemsChoiceType System.Management.Automation.ModuleIntrinsics+PSModulePathScope System.Management.Automation.PSStyle+ForegroundColor System.Management.Automation.PSStyle+BackgroundColor System.Management.Automation.PSStyle+ProgressConfiguration System.Management.Automation.PSStyle+FormattingData System.Management.Automation.PSStyle+FileInfoFormatting System.Management.Automation.VTUtility+VT System.Management.Automation.Subsystem.SubsystemInfo+ImplementationInfo System.Management.Automation.Host.PSHostUserInterface+FormatStyle System.Management.Automation.PSStyle+FileInfoFormatting+FileExtensionDictionary", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"powershell-tests,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"powershell-perf,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Commands.Utility,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Commands.Management,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Security,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"System.Management.Automation.Remoting,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.ConsoleHost,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.DscSubsystem,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"(c) Microsoft Corporation.\")] [System.Reflection.AssemblyDescriptionAttribute(\"PowerShell's System.Management.Automation project\")] [System.Reflection.AssemblyFileVersionAttribute(\"7.5.2.500\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"7.5.2 SHA: d1a57af02c719f2f1695425f5124bbbf218dbf77+d1a57af02c719f2f1695425f5124bbbf218dbf77\")] [System.Reflection.AssemblyProductAttribute(\"PowerShell\")] [System.Reflection.AssemblyTitleAttribute(\"PowerShell 7\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Management.Automation.dll", + "Modules": "System.Management.Automation.dll", + "SecurityRuleSet": 0 + }, + "ModuleHandle": { + "MDStreamVersion": 131072 + }, + "CustomAttributes": [ + "[System.Security.UnverifiableCodeAttribute()]", + "[System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)]" + ] + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712131141320 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Management.Automation.HiddenAttribute", + "AssemblyQualifiedName": "System.Management.Automation.HiddenAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Namespace": "System.Management.Automation", + "GUID": "b23a193d-6855-366c-b01b-00350a94e834", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": { + "Pack": 0, + "Size": 0, + "CharSet": 2, + "Value": 3, + "TypeId": "System.Runtime.InteropServices.StructLayoutAttribute" + }, + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "HiddenAttribute", + "DeclaringType": null, + "Assembly": { + "CodeBase": "file:///C:/Program Files/PowerShell/7/System.Management.Automation.dll", + "FullName": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "EntryPoint": null, + "DefinedTypes": "<>f__AnonymousType0`2[j__TPar,j__TPar] <>f__AnonymousType1`2[<<>h__TransparentIdentifier0>j__TPar,j__TPar] <>f__AnonymousType2`2[<<>h__TransparentIdentifier1>j__TPar,j__TPar] <>f__AnonymousType3`2[<<>h__TransparentIdentifier2>j__TPar,j__TPar] <>f__AnonymousType4`2[j__TPar,j__TPar] <>f__AnonymousType5`2[j__TPar,j__TPar] <>F{00000200}`5[T1,T2,T3,T4,TResult] Interop Authenticode AuthorizationManagerBase AutomationExceptions CatalogStrings CimInstanceTypeAdapterResources CmdletizationCoreResources CommandBaseStrings ConsoleInfoErrorStrings CoreClrStubResources Credential CredentialAttributeStrings CredUI DebuggerStrings DescriptionsStrings DiscoveryExceptions EnumExpressionEvaluatorStrings ErrorCategoryStrings ErrorPackage EtwLoggingStrings EventingResources ExperimentalFeatureStrings ExtendedTypeSystem FileSystemProviderStrings FormatAndOutXmlLoadingStrings FormatAndOut_format_xxx FormatAndOut_MshParameter FormatAndOut_out_xxx GetErrorText HelpDisplayStrings HelpErrors HistoryStrings HostInterfaceExceptionsStrings InternalCommandStrings InternalHostStrings InternalHostUserInterfaceStrings Logging Metadata MiniShellErrors Modules MshHostRawUserInterfaceStrings MshSignature MshSnapInCmdletResources MshSnapinInfo NativeCP ParameterBinderStrings ParserStrings PathUtilsStrings PipelineStrings PowerShellStrings ProgressRecordStrings ProviderBaseSecurity ProxyCommandStrings PSCommandStrings PSConfigurationStrings PSDataBufferStrings PSListModifierStrings PSStyleStrings RegistryProviderStrings RemotingErrorIdStrings RunspaceInit RunspacePoolStrings RunspaceStrings SecuritySupportStrings Serialization SessionStateProviderBaseStrings SessionStateStrings StringDecoratedStrings SubsystemStrings SuggestionStrings TabCompletionStrings TransactionStrings TypesXmlStrings VerbDescriptionStrings WildcardPatternStrings System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0 System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__Utilities System.Management.Automation.PowerShellAssemblyLoadContext System.Management.Automation.PowerShellAssemblyLoadContextInitializer System.Management.Automation.PowerShellUnsafeAssemblyLoad System.Management.Automation.Platform System.Management.Automation.PSTransactionContext System.Management.Automation.RollbackSeverity System.Management.Automation.RegistryStringResourceIndirect System.Management.Automation.AliasInfo System.Management.Automation.ApplicationInfo System.Management.Automation.ArgumentToVersionTransformationAttribute System.Management.Automation.ArgumentTypeConverterAttribute System.Management.Automation.AsyncByteStreamTransfer System.Management.Automation.ValidateArgumentsAttribute System.Management.Automation.ValidateEnumeratedArgumentsAttribute System.Management.Automation.DSCResourceRunAsCredential System.Management.Automation.DscResourceAttribute System.Management.Automation.DscPropertyAttribute System.Management.Automation.DscLocalConfigurationManagerAttribute System.Management.Automation.CmdletCommonMetadataAttribute System.Management.Automation.CmdletAttribute System.Management.Automation.CmdletBindingAttribute System.Management.Automation.OutputTypeAttribute System.Management.Automation.DynamicClassImplementationAssemblyAttribute System.Management.Automation.AliasAttribute System.Management.Automation.ParameterAttribute System.Management.Automation.PSTypeNameAttribute System.Management.Automation.SupportsWildcardsAttribute System.Management.Automation.PSDefaultValueAttribute System.Management.Automation.HiddenAttribute System.Management.Automation.ValidateLengthAttribute System.Management.Automation.ValidateRangeKind System.Management.Automation.ValidateRangeAttribute System.Management.Automation.ValidatePatternAttribute System.Management.Automation.ValidateScriptAttribute System.Management.Automation.ValidateCountAttribute System.Management.Automation.CachedValidValuesGeneratorBase System.Management.Automation.ValidateSetAttribute System.Management.Automation.IValidateSetValuesGenerator System.Management.Automation.ValidateTrustedDataAttribute System.Management.Automation.AllowNullAttribute System.Management.Automation.AllowEmptyStringAttribute System.Management.Automation.AllowEmptyCollectionAttribute System.Management.Automation.ValidateDriveAttribute System.Management.Automation.ValidateUserDriveAttribute System.Management.Automation.NullValidationAttributeBase System.Management.Automation.ValidateNotNullAttribute System.Management.Automation.ValidateNotNullOrAttributeBase System.Management.Automation.ValidateNotNullOrEmptyAttribute System.Management.Automation.ValidateNotNullOrWhiteSpaceAttribute System.Management.Automation.ArgumentTransformationAttribute System.Management.Automation.AutomationEngine System.Management.Automation.BytePipe System.Management.Automation.NativeCommandProcessorBytePipe System.Management.Automation.FileBytePipe System.Management.Automation.ChildItemCmdletProviderIntrinsics System.Management.Automation.ReturnContainers System.Management.Automation.Cmdlet System.Management.Automation.ShouldProcessReason System.Management.Automation.ProviderIntrinsics System.Management.Automation.CmdletInfo System.Management.Automation.CmdletParameterBinderController System.Management.Automation.DefaultParameterDictionary System.Management.Automation.NativeArgumentPassingStyle System.Management.Automation.ErrorView System.Management.Automation.ActionPreference System.Management.Automation.ConfirmImpact System.Management.Automation.PSCmdlet System.Management.Automation.CommandCompletion System.Management.Automation.CompletionContext System.Management.Automation.CompletionAnalysis System.Management.Automation.CompletionCompleters System.Management.Automation.SafeExprEvaluator System.Management.Automation.PropertyNameCompleter System.Management.Automation.CompletionResultType System.Management.Automation.CompletionResult System.Management.Automation.ArgumentCompleterAttribute System.Management.Automation.IArgumentCompleter System.Management.Automation.IArgumentCompleterFactory System.Management.Automation.ArgumentCompleterFactoryAttribute System.Management.Automation.RegisterArgumentCompleterCommand System.Management.Automation.ArgumentCompletionsAttribute System.Management.Automation.ScopeArgumentCompleter System.Management.Automation.CommandLookupEventArgs System.Management.Automation.PSModuleAutoLoadingPreference System.Management.Automation.CommandDiscovery System.Management.Automation.LookupPathCollection System.Management.Automation.CommandDiscoveryEventSource System.Management.Automation.CommandTypes System.Management.Automation.CommandInfo System.Management.Automation.PSTypeName System.Management.Automation.PSMemberNameAndType System.Management.Automation.PSSyntheticTypeName System.Management.Automation.IScriptCommandInfo System.Management.Automation.SessionCapabilities System.Management.Automation.CommandMetadata System.Management.Automation.CommandParameterInternal System.Management.Automation.CommandPathSearch System.Management.Automation.CommandProcessor System.Management.Automation.CommandProcessorBase System.Management.Automation.CommandSearcher System.Management.Automation.SearchResolutionOptions System.Management.Automation.CompiledCommandParameter System.Management.Automation.ParameterCollectionType System.Management.Automation.ParameterCollectionTypeInformation System.Management.Automation.ComAdapter System.Management.Automation.IDispatch System.Management.Automation.ComInvoker System.Management.Automation.ComMethodInformation System.Management.Automation.ComMethod System.Management.Automation.ComProperty System.Management.Automation.ComTypeInfo System.Management.Automation.ComUtil System.Management.Automation.ConfigurationInfo System.Management.Automation.ContentCmdletProviderIntrinsics System.Management.Automation.Adapter System.Management.Automation.CacheEntry System.Management.Automation.CacheTable System.Management.Automation.MethodInformation System.Management.Automation.ParameterInformation System.Management.Automation.DotNetAdapter System.Management.Automation.BaseDotNetAdapterForAdaptedObjects System.Management.Automation.DotNetAdapterWithComTypeName System.Management.Automation.MemberRedirectionAdapter System.Management.Automation.PSObjectAdapter System.Management.Automation.PSMemberSetAdapter System.Management.Automation.PropertyOnlyAdapter System.Management.Automation.XmlNodeAdapter System.Management.Automation.DataRowAdapter System.Management.Automation.DataRowViewAdapter System.Management.Automation.TypeInference System.Management.Automation.PSCredentialTypes System.Management.Automation.PSCredentialUIOptions System.Management.Automation.GetSymmetricEncryptionKey System.Management.Automation.PSCredential System.Management.Automation.PSCultureVariable System.Management.Automation.PSUICultureVariable System.Management.Automation.PSDriveInfo System.Management.Automation.ProviderInfo System.Management.Automation.Breakpoint System.Management.Automation.CommandBreakpoint System.Management.Automation.VariableAccessMode System.Management.Automation.VariableBreakpoint System.Management.Automation.LineBreakpoint System.Management.Automation.DebuggerResumeAction System.Management.Automation.DebuggerStopEventArgs System.Management.Automation.BreakpointUpdateType System.Management.Automation.BreakpointUpdatedEventArgs System.Management.Automation.PSJobStartEventArgs System.Management.Automation.StartRunspaceDebugProcessingEventArgs System.Management.Automation.ProcessRunspaceDebugEndEventArgs System.Management.Automation.DebugModes System.Management.Automation.UnhandledBreakpointProcessingMode System.Management.Automation.Debugger System.Management.Automation.ScriptDebugger System.Management.Automation.NestedRunspaceDebugger System.Management.Automation.StandaloneRunspaceDebugger System.Management.Automation.EmbeddedRunspaceDebugger System.Management.Automation.DebuggerCommandResults System.Management.Automation.DebuggerCommandProcessor System.Management.Automation.DebuggerCommand System.Management.Automation.PSDebugContext System.Management.Automation.CallStackFrame System.Management.Automation.DefaultCommandRuntime System.Management.Automation.DriveManagementIntrinsics System.Management.Automation.DriveNames System.Management.Automation.ImplementedAsType System.Management.Automation.DscResourceInfo System.Management.Automation.DscResourcePropertyInfo System.Management.Automation.DscResourceSearcher System.Management.Automation.EngineIntrinsics System.Management.Automation.FlagsExpression`1[T] System.Management.Automation.EnumMinimumDisambiguation System.Management.Automation.ErrorCategory System.Management.Automation.ErrorCategoryInfo System.Management.Automation.ErrorDetails System.Management.Automation.ErrorRecord System.Management.Automation.ErrorRecord`1[TException] System.Management.Automation.IContainsErrorRecord System.Management.Automation.IResourceSupplier System.Management.Automation.PSEventManager System.Management.Automation.PSLocalEventManager System.Management.Automation.PSRemoteEventManager System.Management.Automation.PSEngineEvent System.Management.Automation.PSEventSubscriber System.Management.Automation.PSEventHandler System.Management.Automation.ForwardedEventArgs System.Management.Automation.PSEventArgs`1[T] System.Management.Automation.PSEventArgs System.Management.Automation.PSEventReceivedEventHandler System.Management.Automation.PSEventUnsubscribedEventArgs System.Management.Automation.PSEventUnsubscribedEventHandler System.Management.Automation.PSEventArgsCollection System.Management.Automation.EventAction System.Management.Automation.PSEventJob System.Management.Automation.ExecutionContext System.Management.Automation.EngineState System.Management.Automation.ExperimentalFeature System.Management.Automation.ExperimentAction System.Management.Automation.ExperimentalAttribute System.Management.Automation.ExtendedTypeSystemException System.Management.Automation.MethodException System.Management.Automation.MethodInvocationException System.Management.Automation.GetValueException System.Management.Automation.PropertyNotFoundException System.Management.Automation.GetValueInvocationException System.Management.Automation.SetValueException System.Management.Automation.SetValueInvocationException System.Management.Automation.PSInvalidCastException System.Management.Automation.ExternalScriptInfo System.Management.Automation.ScriptRequiresSyntaxException System.Management.Automation.PSSnapInSpecification System.Management.Automation.DirectoryEntryAdapter System.Management.Automation.FilterInfo System.Management.Automation.FunctionInfo System.Management.Automation.SuggestionMatchType System.Management.Automation.HostUtilities System.Management.Automation.InformationalRecord System.Management.Automation.WarningRecord System.Management.Automation.DebugRecord System.Management.Automation.VerboseRecord System.Management.Automation.PSListModifier System.Management.Automation.PSListModifier`1[T] System.Management.Automation.InvalidPowerShellStateException System.Management.Automation.PSInvocationState System.Management.Automation.RunspaceMode System.Management.Automation.PSInvocationStateInfo System.Management.Automation.PSInvocationStateChangedEventArgs System.Management.Automation.PSInvocationSettings System.Management.Automation.BatchInvocationContext System.Management.Automation.RemoteStreamOptions System.Management.Automation.PowerShellAsyncResult System.Management.Automation.PowerShell System.Management.Automation.PSDataStreams System.Management.Automation.PowerShellStopper System.Management.Automation.PSCommand System.Management.Automation.DataAddedEventArgs System.Management.Automation.DataAddingEventArgs System.Management.Automation.PSDataCollection`1[T] System.Management.Automation.IBlockingEnumerator`1[T] System.Management.Automation.PSDataCollectionEnumerator`1[T] System.Management.Automation.PSInformationalBuffers System.Management.Automation.ICommandRuntime System.Management.Automation.ICommandRuntime2 System.Management.Automation.InformationRecord System.Management.Automation.HostInformationMessage System.Management.Automation.InvocationInfo System.Management.Automation.RemoteCommandInfo System.Management.Automation.ItemCmdletProviderIntrinsics System.Management.Automation.CopyContainers System.Management.Automation.PSTypeConverter System.Management.Automation.ConvertThroughString System.Management.Automation.ConversionRank System.Management.Automation.LanguagePrimitives System.Management.Automation.PSParseError System.Management.Automation.PSParser System.Management.Automation.PSToken System.Management.Automation.PSTokenType System.Management.Automation.FlowControlException System.Management.Automation.LoopFlowException System.Management.Automation.BreakException System.Management.Automation.ContinueException System.Management.Automation.ReturnException System.Management.Automation.ExitException System.Management.Automation.ExitNestedPromptException System.Management.Automation.TerminateException System.Management.Automation.StopUpstreamCommandsException System.Management.Automation.SplitOptions System.Management.Automation.PowerShellBinaryOperator System.Management.Automation.ParserOps System.Management.Automation.RangeEnumerator System.Management.Automation.CharRangeEnumerator System.Management.Automation.InterpreterError System.Management.Automation.ScriptTrace System.Management.Automation.ScriptBlock System.Management.Automation.SteppablePipeline System.Management.Automation.ScriptBlockToPowerShellNotSupportedException System.Management.Automation.ScriptBlockInvocationEventArgs System.Management.Automation.BaseWMIAdapter System.Management.Automation.ManagementClassApdapter System.Management.Automation.ManagementObjectAdapter System.Management.Automation.MergedCommandParameterMetadata System.Management.Automation.MergedCompiledCommandParameter System.Management.Automation.ParameterBinderAssociation System.Management.Automation.MinishellParameterBinderController System.Management.Automation.AnalysisCache System.Management.Automation.AnalysisCacheData System.Management.Automation.ModuleCacheEntry System.Management.Automation.Constants System.Management.Automation.ModuleIntrinsics System.Management.Automation.ModuleMatchFailure System.Management.Automation.IModuleAssemblyInitializer System.Management.Automation.IModuleAssemblyCleanup System.Management.Automation.PSModuleInfo System.Management.Automation.ModuleType System.Management.Automation.ModuleAccessMode System.Management.Automation.PSModuleInfoComparer System.Management.Automation.RemoteDiscoveryHelper System.Management.Automation.ScriptAnalysis System.Management.Automation.ExportVisitor System.Management.Automation.RequiredModuleInfo System.Management.Automation.IDynamicParameters System.Management.Automation.SwitchParameter System.Management.Automation.CommandInvocationIntrinsics System.Management.Automation.MshCommandRuntime System.Management.Automation.PSMemberTypes System.Management.Automation.PSMemberViewTypes System.Management.Automation.MshMemberMatchOptions System.Management.Automation.PSMemberInfo System.Management.Automation.PSPropertyInfo System.Management.Automation.PSAliasProperty System.Management.Automation.PSCodeProperty System.Management.Automation.PSInferredProperty System.Management.Automation.PSProperty System.Management.Automation.PSAdaptedProperty System.Management.Automation.PSNoteProperty System.Management.Automation.PSVariableProperty System.Management.Automation.PSScriptProperty System.Management.Automation.PSMethodInvocationConstraints System.Management.Automation.PSMethodInfo System.Management.Automation.PSCodeMethod System.Management.Automation.PSScriptMethod System.Management.Automation.PSMethod System.Management.Automation.PSNonBindableType System.Management.Automation.VOID System.Management.Automation.PSOutParameter`1[T] System.Management.Automation.PSPointer`1[T] System.Management.Automation.PSTypedReference System.Management.Automation.MethodGroup System.Management.Automation.MethodGroup`1[T1] System.Management.Automation.MethodGroup`2[T1,T2] System.Management.Automation.MethodGroup`4[T1,T2,T3,T4] System.Management.Automation.MethodGroup`8[T1,T2,T3,T4,T5,T6,T7,T8] System.Management.Automation.MethodGroup`16[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16] System.Management.Automation.MethodGroup`32[T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32] System.Management.Automation.PSMethodSignatureEnumerator System.Management.Automation.PSMethod`1[T] System.Management.Automation.PSParameterizedProperty System.Management.Automation.PSMemberSet System.Management.Automation.PSInternalMemberSet System.Management.Automation.PSPropertySet System.Management.Automation.PSEvent System.Management.Automation.PSDynamicMember System.Management.Automation.MemberMatch System.Management.Automation.MemberNamePredicate System.Management.Automation.PSMemberInfoCollection`1[T] System.Management.Automation.ReadOnlyPSMemberInfoCollection`1[T] System.Management.Automation.PSMemberInfoInternalCollection`1[T] System.Management.Automation.CollectionEntry`1[T] System.Management.Automation.ReservedNameMembers System.Management.Automation.PSMemberInfoIntegratingCollection`1[T] System.Management.Automation.PSObject System.Management.Automation.WriteStreamType System.Management.Automation.PSCustomObject System.Management.Automation.SerializationMethod System.Management.Automation.SettingValueExceptionEventArgs System.Management.Automation.GettingValueExceptionEventArgs System.Management.Automation.PSObjectPropertyDescriptor System.Management.Automation.PSObjectTypeDescriptor System.Management.Automation.PSObjectTypeDescriptionProvider System.Management.Automation.PSReference System.Management.Automation.PSReference`1[T] System.Management.Automation.PSSecurityException System.Management.Automation.PSSnapinQualifiedName System.Management.Automation.NativeCommand System.Management.Automation.NativeCommandParameterBinder System.Management.Automation.NativeCommandParameterBinderController System.Management.Automation.NativeCommandIOFormat System.Management.Automation.MinishellStream System.Management.Automation.StringToMinishellStreamConverter System.Management.Automation.ProcessOutputObject System.Management.Automation.NativeCommandExitException System.Management.Automation.NativeCommandProcessor System.Management.Automation.ProcessOutputHandler System.Management.Automation.ProcessInputWriter System.Management.Automation.ConsoleVisibility System.Management.Automation.RemoteException System.Management.Automation.OrderedHashtable System.Management.Automation.ParameterBindingFlags System.Management.Automation.ParameterBinderBase System.Management.Automation.UnboundParameter System.Management.Automation.PSBoundParametersDictionary System.Management.Automation.CommandLineParameters System.Management.Automation.ParameterBinderController System.Management.Automation.CommandParameterInfo System.Management.Automation.CommandParameterSetInfo System.Management.Automation.ParameterSetPromptingData System.Management.Automation.ParameterSetSpecificMetadata System.Management.Automation.TypeInferenceRuntimePermissions System.Management.Automation.AstTypeInference System.Management.Automation.PSTypeNameComparer System.Management.Automation.TypeInferenceContext System.Management.Automation.TypeInferenceVisitor System.Management.Automation.TypeInferenceExtension System.Management.Automation.CoreTypes System.Management.Automation.TypeAccelerators System.Management.Automation.PathIntrinsics System.Management.Automation.PositionalCommandParameter System.Management.Automation.PowerShellStreamType System.Management.Automation.ProgressRecord System.Management.Automation.ProgressRecordType System.Management.Automation.PropertyCmdletProviderIntrinsics System.Management.Automation.CmdletProviderManagementIntrinsics System.Management.Automation.ProviderNames System.Management.Automation.SingleShellProviderNames System.Management.Automation.ProxyCommand System.Management.Automation.PSClassInfo System.Management.Automation.PSClassMemberInfo System.Management.Automation.PSClassSearcher System.Management.Automation.RuntimeDefinedParameterBinder System.Management.Automation.RuntimeDefinedParameter System.Management.Automation.RuntimeDefinedParameterDictionary System.Management.Automation.PSVersionInfo System.Management.Automation.PSVersionHashTable System.Management.Automation.SemanticVersion System.Management.Automation.QuestionMarkVariable System.Management.Automation.ReflectionParameterBinder System.Management.Automation.WildcardOptions System.Management.Automation.WildcardPattern System.Management.Automation.WildcardPatternException System.Management.Automation.WildcardPatternParser System.Management.Automation.WildcardPatternToRegexParser System.Management.Automation.WildcardPatternMatcher System.Management.Automation.WildcardPatternToDosWildcardParser System.Management.Automation.JobState System.Management.Automation.InvalidJobStateException System.Management.Automation.JobStateInfo System.Management.Automation.JobStateEventArgs System.Management.Automation.JobIdentifier System.Management.Automation.IJobDebugger System.Management.Automation.Job System.Management.Automation.PSRemotingJob System.Management.Automation.DisconnectedJobOperation System.Management.Automation.PSRemotingChildJob System.Management.Automation.RemotingJobDebugger System.Management.Automation.PSInvokeExpressionSyncJob System.Management.Automation.OutputProcessingStateEventArgs System.Management.Automation.IOutputProcessingState System.Management.Automation.Job2 System.Management.Automation.JobThreadOptions System.Management.Automation.ContainerParentJob System.Management.Automation.JobFailedException System.Management.Automation.JobManager System.Management.Automation.JobDefinition System.Management.Automation.JobInvocationInfo System.Management.Automation.JobSourceAdapter System.Management.Automation.PowerShellStreams`2[TInput,TOutput] System.Management.Automation.RemotePipeline System.Management.Automation.RemoteRunspace System.Management.Automation.RemoteDebugger System.Management.Automation.RemoteSessionStateProxy System.Management.Automation.StartableJob System.Management.Automation.ThrottlingJob System.Management.Automation.ThrottlingJobChildAddedEventArgs System.Management.Automation.Repository`1[T] System.Management.Automation.JobRepository System.Management.Automation.RunspaceRepository System.Management.Automation.RemoteSessionNegotiationEventArgs System.Management.Automation.RemoteDataEventArgs System.Management.Automation.RemoteDataEventArgs`1[T] System.Management.Automation.RemoteSessionState System.Management.Automation.RemoteSessionEvent System.Management.Automation.RemoteSessionStateInfo System.Management.Automation.RemoteSessionStateEventArgs System.Management.Automation.RemoteSessionStateMachineEventArgs System.Management.Automation.RemotingCapability System.Management.Automation.RemotingBehavior System.Management.Automation.PSSessionTypeOption System.Management.Automation.PSTransportOption System.Management.Automation.RemoteSession System.Management.Automation.RunspacePoolStateInfo System.Management.Automation.RemotingConstants System.Management.Automation.RemoteDataNameStrings System.Management.Automation.RemotingDestination System.Management.Automation.RemotingTargetInterface System.Management.Automation.RemotingDataType System.Management.Automation.RemotingEncoder System.Management.Automation.RemotingDecoder System.Management.Automation.ServerPowerShellDriver System.Management.Automation.ServerRunspacePoolDataStructureHandler System.Management.Automation.ServerPowerShellDataStructureHandler System.Management.Automation.IRSPDriverInvoke System.Management.Automation.ServerRunspacePoolDriver System.Management.Automation.ServerRemoteDebugger System.Management.Automation.ExecutionContextForStepping System.Management.Automation.ServerSteppablePipelineDriver System.Management.Automation.ServerSteppablePipelineDriverEventArg System.Management.Automation.ServerSteppablePipelineSubscriber System.Management.Automation.CompileInterpretChoice System.Management.Automation.ScriptBlockClauseToInvoke System.Management.Automation.CompiledScriptBlockData System.Management.Automation.PSScriptCmdlet System.Management.Automation.MutableTuple System.Management.Automation.MutableTuple`1[T0] System.Management.Automation.MutableTuple`2[T0,T1] System.Management.Automation.MutableTuple`4[T0,T1,T2,T3] System.Management.Automation.MutableTuple`8[T0,T1,T2,T3,T4,T5,T6,T7] System.Management.Automation.MutableTuple`16[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15] System.Management.Automation.MutableTuple`32[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31] System.Management.Automation.MutableTuple`64[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32,T33,T34,T35,T36,T37,T38,T39,T40,T41,T42,T43,T44,T45,T46,T47,T48,T49,T50,T51,T52,T53,T54,T55,T56,T57,T58,T59,T60,T61,T62,T63] System.Management.Automation.MutableTuple`128[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,T15,T16,T17,T18,T19,T20,T21,T22,T23,T24,T25,T26,T27,T28,T29,T30,T31,T32,T33,T34,T35,T36,T37,T38,T39,T40,T41,T42,T43,T44,T45,T46,T47,T48,T49,T50,T51,T52,T53,T54,T55,T56,T57,T58,T59,T60,T61,T62,T63,T64,T65,T66,T67,T68,T69,T70,T71,T72,T73,T74,T75,T76,T77,T78,T79,T80,T81,T82,T83,T84,T85,T86,T87,T88,T89,T90,T91,T92,T93,T94,T95,T96,T97,T98,T99,T100,T101,T102,T103,T104,T105,T106,T107,T108,T109,T110,T111,T112,T113,T114,T115,T116,T117,T118,T119,T120,T121,T122,T123,T124,T125,T126,T127] System.Management.Automation.ArrayOps System.Management.Automation.PipelineOps System.Management.Automation.CommandRedirection System.Management.Automation.MergingRedirection System.Management.Automation.FileRedirection System.Management.Automation.FunctionOps System.Management.Automation.ScriptBlockExpressionWrapper System.Management.Automation.ByRefOps System.Management.Automation.HashtableOps System.Management.Automation.ExceptionHandlingOps System.Management.Automation.TypeOps System.Management.Automation.SwitchOps System.Management.Automation.WhereOperatorSelectionMode System.Management.Automation.EnumerableOps System.Management.Automation.MemberInvocationLoggingOps System.Management.Automation.Boxed System.Management.Automation.IntOps System.Management.Automation.UIntOps System.Management.Automation.LongOps System.Management.Automation.ULongOps System.Management.Automation.DecimalOps System.Management.Automation.DoubleOps System.Management.Automation.CharOps System.Management.Automation.StringOps System.Management.Automation.VariableOps System.Management.Automation.ScriptBlockToPowerShellChecker System.Management.Automation.UsingExpressionAstSearcher System.Management.Automation.ScriptBlockToPowerShellConverter System.Management.Automation.ScopedItemSearcher`1[T] System.Management.Automation.VariableScopeItemSearcher System.Management.Automation.AliasScopeItemSearcher System.Management.Automation.FunctionScopeItemSearcher System.Management.Automation.DriveScopeItemSearcher System.Management.Automation.ScriptCommand System.Management.Automation.ScriptCommandProcessorBase System.Management.Automation.DlrScriptCommandProcessor System.Management.Automation.ScriptInfo System.Management.Automation.ScriptParameterBinder System.Management.Automation.ScriptParameterBinderController System.Management.Automation.SecurityDescriptorCmdletProviderIntrinsics System.Management.Automation.CommandOrigin System.Management.Automation.AuthorizationManager System.Management.Automation.SerializationOptions System.Management.Automation.SerializationContext System.Management.Automation.PSSerializer System.Management.Automation.Serializer System.Management.Automation.DeserializationOptions System.Management.Automation.DeserializationContext System.Management.Automation.CimClassDeserializationCache`1[TKey] System.Management.Automation.CimClassSerializationCache`1[TKey] System.Management.Automation.CimClassSerializationId System.Management.Automation.Deserializer System.Management.Automation.ContainerType System.Management.Automation.InternalSerializer System.Management.Automation.InternalDeserializer System.Management.Automation.ReferenceIdHandlerForSerializer`1[T] System.Management.Automation.ReferenceIdHandlerForDeserializer`1[T] System.Management.Automation.TypeSerializerDelegate System.Management.Automation.TypeDeserializerDelegate System.Management.Automation.TypeSerializationInfo System.Management.Automation.KnownTypes System.Management.Automation.SerializationUtilities System.Management.Automation.WeakReferenceDictionary`1[T] System.Management.Automation.PSPrimitiveDictionary System.Management.Automation.SerializationStrings System.Management.Automation.SessionStateInternal System.Management.Automation.ProcessMode System.Management.Automation.LocationChangedEventArgs System.Management.Automation.SessionState System.Management.Automation.SessionStateEntryVisibility System.Management.Automation.IHasSessionStateEntryVisibility System.Management.Automation.PSLanguageMode System.Management.Automation.SessionStateScope System.Management.Automation.SessionStateScopeEnumerator System.Management.Automation.StringLiterals System.Management.Automation.SessionStateConstants System.Management.Automation.SessionStateUtilities System.Management.Automation.PSVariable System.Management.Automation.LocalVariable System.Management.Automation.NullVariable System.Management.Automation.ScopedItemOptions System.Management.Automation.SpecialVariables System.Management.Automation.AutomaticVariable System.Management.Automation.PreferenceVariable System.Management.Automation.ThirdPartyAdapter System.Management.Automation.PSPropertyAdapter System.Management.Automation.ParameterSetMetadata System.Management.Automation.ParameterMetadata System.Management.Automation.InternalParameterMetadata System.Management.Automation.PagingParameters System.Management.Automation.Utils System.Management.Automation.PSVariableAttributeCollection System.Management.Automation.PSVariableIntrinsics System.Management.Automation.VariablePathFlags System.Management.Automation.VariablePath System.Management.Automation.FunctionLookupPath System.Management.Automation.IInspectable System.Management.Automation.WinRTHelper System.Management.Automation.ExtendedTypeDefinition System.Management.Automation.FormatViewDefinition System.Management.Automation.PSControl System.Management.Automation.PSControlGroupBy System.Management.Automation.DisplayEntry System.Management.Automation.EntrySelectedBy System.Management.Automation.Alignment System.Management.Automation.DisplayEntryValueType System.Management.Automation.CustomControl System.Management.Automation.CustomControlEntry System.Management.Automation.CustomItemBase System.Management.Automation.CustomItemExpression System.Management.Automation.CustomItemFrame System.Management.Automation.CustomItemNewline System.Management.Automation.CustomItemText System.Management.Automation.CustomEntryBuilder System.Management.Automation.CustomControlBuilder System.Management.Automation.ListControl System.Management.Automation.ListControlEntry System.Management.Automation.ListControlEntryItem System.Management.Automation.ListEntryBuilder System.Management.Automation.ListControlBuilder System.Management.Automation.TableControl System.Management.Automation.TableControlColumnHeader System.Management.Automation.TableControlColumn System.Management.Automation.TableControlRow System.Management.Automation.TableRowDefinitionBuilder System.Management.Automation.TableControlBuilder System.Management.Automation.WideControl System.Management.Automation.WideControlEntryItem System.Management.Automation.WideControlBuilder System.Management.Automation.OutputRendering System.Management.Automation.ProgressView System.Management.Automation.PSStyle System.Management.Automation.AliasHelpInfo System.Management.Automation.AliasHelpProvider System.Management.Automation.BaseCommandHelpInfo System.Management.Automation.CommandHelpProvider System.Management.Automation.UserDefinedHelpData System.Management.Automation.DefaultHelpProvider System.Management.Automation.DscResourceHelpProvider System.Management.Automation.HelpCommentsParser System.Management.Automation.HelpErrorTracer System.Management.Automation.HelpFileHelpInfo System.Management.Automation.HelpFileHelpProvider System.Management.Automation.HelpInfo System.Management.Automation.HelpProvider System.Management.Automation.HelpProviderWithCache System.Management.Automation.HelpProviderWithFullCache System.Management.Automation.HelpRequest System.Management.Automation.HelpSystem System.Management.Automation.HelpProgressEventArgs System.Management.Automation.HelpProviderInfo System.Management.Automation.HelpCategory System.Management.Automation.HelpUtils System.Management.Automation.MamlClassHelpInfo System.Management.Automation.MamlCommandHelpInfo System.Management.Automation.MamlNode System.Management.Automation.MamlUtil System.Management.Automation.MUIFileSearcher System.Management.Automation.SearchMode System.Management.Automation.ProviderCommandHelpInfo System.Management.Automation.ProviderContext System.Management.Automation.ProviderHelpInfo System.Management.Automation.ProviderHelpProvider System.Management.Automation.PSClassHelpProvider System.Management.Automation.RemoteHelpInfo System.Management.Automation.ScriptCommandHelpProvider System.Management.Automation.SyntaxHelpInfo System.Management.Automation.LogContext System.Management.Automation.LogProvider System.Management.Automation.DummyLogProvider System.Management.Automation.MshLog System.Management.Automation.LogContextCache System.Management.Automation.Severity System.Management.Automation.CommandState System.Management.Automation.ProviderState System.Management.Automation.CmdletProviderContext System.Management.Automation.LocationGlobber System.Management.Automation.PathInfo System.Management.Automation.PathInfoStack System.Management.Automation.SigningOption System.Management.Automation.SignatureHelper System.Management.Automation.CatalogValidationStatus System.Management.Automation.CatalogInformation System.Management.Automation.CatalogHelper System.Management.Automation.CredentialAttribute System.Management.Automation.Win32Errors System.Management.Automation.SignatureStatus System.Management.Automation.SignatureType System.Management.Automation.Signature System.Management.Automation.CmsUtils System.Management.Automation.CmsMessageRecipient System.Management.Automation.ResolutionPurpose System.Management.Automation.AmsiUtils System.Management.Automation.RegistryStrings System.Management.Automation.PSSnapInInfo System.Management.Automation.PSSnapInReader System.Management.Automation.AssertException System.Management.Automation.Diagnostics System.Management.Automation.ClrFacade System.Management.Automation.CommandNotFoundException System.Management.Automation.ScriptRequiresException System.Management.Automation.ApplicationFailedException System.Management.Automation.ProviderCmdlet System.Management.Automation.EncodingConversion System.Management.Automation.ArgumentToEncodingTransformationAttribute System.Management.Automation.ArgumentEncodingCompletionsAttribute System.Management.Automation.CmdletInvocationException System.Management.Automation.CmdletProviderInvocationException System.Management.Automation.PipelineStoppedException System.Management.Automation.PipelineClosedException System.Management.Automation.ActionPreferenceStopException System.Management.Automation.ParentContainsErrorRecordException System.Management.Automation.RedirectedException System.Management.Automation.ScriptCallDepthException System.Management.Automation.PipelineDepthException System.Management.Automation.HaltCommandException System.Management.Automation.ExtensionMethods System.Management.Automation.EnumerableExtensions System.Management.Automation.PSTypeExtensions System.Management.Automation.WeakReferenceExtensions System.Management.Automation.FuzzyMatcher System.Management.Automation.MetadataException System.Management.Automation.ValidationMetadataException System.Management.Automation.ArgumentTransformationMetadataException System.Management.Automation.ParsingMetadataException System.Management.Automation.PSArgumentException System.Management.Automation.PSArgumentNullException System.Management.Automation.PSArgumentOutOfRangeException System.Management.Automation.PSInvalidOperationException System.Management.Automation.PSNotImplementedException System.Management.Automation.PSNotSupportedException System.Management.Automation.PSObjectDisposedException System.Management.Automation.PSTraceSource System.Management.Automation.ParameterBindingException System.Management.Automation.ParameterBindingValidationException System.Management.Automation.ParameterBindingArgumentTransformationException System.Management.Automation.ParameterBindingParameterDefaultValueException System.Management.Automation.ParseException System.Management.Automation.IncompleteParseException System.Management.Automation.PathUtils System.Management.Automation.PinvokeDllNames System.Management.Automation.PlatformInvokes System.Management.Automation.PowerShellExecutionHelper System.Management.Automation.PowerShellExtensionHelpers System.Management.Automation.PsUtils System.Management.Automation.StringToBase64Converter System.Management.Automation.CRC32Hash System.Management.Automation.ReferenceEqualityComparer System.Management.Automation.ResourceManagerCache System.Management.Automation.RuntimeException System.Management.Automation.ProviderInvocationException System.Management.Automation.SessionStateCategory System.Management.Automation.SessionStateException System.Management.Automation.SessionStateUnauthorizedAccessException System.Management.Automation.ProviderNotFoundException System.Management.Automation.ProviderNameAmbiguousException System.Management.Automation.DriveNotFoundException System.Management.Automation.ItemNotFoundException System.Management.Automation.PSTraceSourceOptions System.Management.Automation.ScopeTracer System.Management.Automation.TraceSourceAttribute System.Management.Automation.MonadTraceSource System.Management.Automation.VerbsCommon System.Management.Automation.VerbsData System.Management.Automation.VerbsLifecycle System.Management.Automation.VerbsDiagnostic System.Management.Automation.VerbsCommunications System.Management.Automation.VerbsSecurity System.Management.Automation.VerbsOther System.Management.Automation.VerbDescriptions System.Management.Automation.VerbAliasPrefixes System.Management.Automation.VerbInfo System.Management.Automation.Verbs System.Management.Automation.VTUtility System.Management.Automation.Tracing.PowerShellTraceEvent System.Management.Automation.Tracing.PowerShellTraceChannel System.Management.Automation.Tracing.PowerShellTraceLevel System.Management.Automation.Tracing.PowerShellTraceOperationCode System.Management.Automation.Tracing.PowerShellTraceTask System.Management.Automation.Tracing.PowerShellTraceKeywords System.Management.Automation.Tracing.BaseChannelWriter System.Management.Automation.Tracing.NullWriter System.Management.Automation.Tracing.PowerShellChannelWriter System.Management.Automation.Tracing.PowerShellTraceSource System.Management.Automation.Tracing.PowerShellTraceSourceFactory System.Management.Automation.Tracing.EtwEvent System.Management.Automation.Tracing.CallbackNoParameter System.Management.Automation.Tracing.CallbackWithState System.Management.Automation.Tracing.CallbackWithStateAndArgs System.Management.Automation.Tracing.EtwEventArgs System.Management.Automation.Tracing.EtwActivity System.Management.Automation.Tracing.IEtwActivityReverter System.Management.Automation.Tracing.EtwActivityReverter System.Management.Automation.Tracing.EtwActivityReverterMethodInvoker System.Management.Automation.Tracing.IEtwEventCorrelator System.Management.Automation.Tracing.EtwEventCorrelator System.Management.Automation.Tracing.IMethodInvoker System.Management.Automation.Tracing.PSEtwLog System.Management.Automation.Tracing.PSEtwLogProvider System.Management.Automation.Tracing.Tracer System.Management.Automation.Win32Native.SafeCATAdminHandle System.Management.Automation.Win32Native.SafeCATHandle System.Management.Automation.Win32Native.SafeCATCDFHandle System.Management.Automation.Win32Native.WinTrustUIChoice System.Management.Automation.Win32Native.WinTrustUnionChoice System.Management.Automation.Win32Native.WinTrustAction System.Management.Automation.Win32Native.WinTrustProviderFlags System.Management.Automation.Win32Native.WinTrustMethods System.Management.Automation.Security.NativeConstants System.Management.Automation.Security.NativeMethods System.Management.Automation.Security.SAFER_CODE_PROPERTIES System.Management.Automation.Security.LARGE_INTEGER System.Management.Automation.Security.HWND__ System.Management.Automation.Security.Anonymous_9320654f_2227_43bf_a385_74cc8c562686 System.Management.Automation.Security.Anonymous_947eb392_1446_4e25_bbd4_10e98165f3a9 System.Management.Automation.Security.SystemScriptFileEnforcement System.Management.Automation.Security.SystemEnforcementMode System.Management.Automation.Security.SystemPolicy System.Management.Automation.Provider.ContainerCmdletProvider System.Management.Automation.Provider.DriveCmdletProvider System.Management.Automation.Provider.IContentCmdletProvider System.Management.Automation.Provider.IContentReader System.Management.Automation.Provider.IContentWriter System.Management.Automation.Provider.IDynamicPropertyCmdletProvider System.Management.Automation.Provider.ISecurityDescriptorCmdletProvider System.Management.Automation.Provider.IPropertyCmdletProvider System.Management.Automation.Provider.ItemCmdletProvider System.Management.Automation.Provider.NavigationCmdletProvider System.Management.Automation.Provider.ICmdletProviderSupportsHelp System.Management.Automation.Provider.CmdletProvider System.Management.Automation.Provider.CmdletProviderAttribute System.Management.Automation.Provider.ProviderCapabilities System.Management.Automation.Help.PositionalParameterComparer System.Management.Automation.Help.DefaultCommandHelpObjectBuilder System.Management.Automation.Help.CultureSpecificUpdatableHelp System.Management.Automation.Help.UpdatableHelpInfo System.Management.Automation.Help.UpdatableHelpModuleInfo System.Management.Automation.Help.UpdatableHelpSystemException System.Management.Automation.Help.UpdatableHelpExceptionContext System.Management.Automation.Help.UpdatableHelpCommandType System.Management.Automation.Help.UpdatableHelpProgressEventArgs System.Management.Automation.Help.UpdatableHelpSystem System.Management.Automation.Help.UpdatableHelpSystemDrive System.Management.Automation.Help.UpdatableHelpUri System.Management.Automation.Subsystem.GetPSSubsystemCommand System.Management.Automation.Subsystem.SubsystemKind System.Management.Automation.Subsystem.ISubsystem System.Management.Automation.Subsystem.SubsystemInfo System.Management.Automation.Subsystem.SubsystemInfoImpl`1[TConcreteSubsystem] System.Management.Automation.Subsystem.SubsystemManager System.Management.Automation.Subsystem.Prediction.PredictionResult System.Management.Automation.Subsystem.Prediction.CommandPrediction System.Management.Automation.Subsystem.Prediction.ICommandPredictor System.Management.Automation.Subsystem.Prediction.PredictorFeedbackKind System.Management.Automation.Subsystem.Prediction.PredictionClientKind System.Management.Automation.Subsystem.Prediction.PredictionClient System.Management.Automation.Subsystem.Prediction.PredictionContext System.Management.Automation.Subsystem.Prediction.PredictiveSuggestion System.Management.Automation.Subsystem.Prediction.SuggestionPackage System.Management.Automation.Subsystem.Feedback.FeedbackResult System.Management.Automation.Subsystem.Feedback.FeedbackHub System.Management.Automation.Subsystem.Feedback.FeedbackTrigger System.Management.Automation.Subsystem.Feedback.FeedbackDisplayLayout System.Management.Automation.Subsystem.Feedback.FeedbackContext System.Management.Automation.Subsystem.Feedback.FeedbackItem System.Management.Automation.Subsystem.Feedback.IFeedbackProvider System.Management.Automation.Subsystem.Feedback.GeneralCommandErrorFeedback System.Management.Automation.Subsystem.DSC.ICrossPlatformDsc System.Management.Automation.Remoting.ClientMethodExecutor System.Management.Automation.Remoting.ClientRemoteSessionContext System.Management.Automation.Remoting.ClientRemoteSession System.Management.Automation.Remoting.ClientRemoteSessionImpl System.Management.Automation.Remoting.ClientRemoteSessionDSHandlerStateMachine System.Management.Automation.Remoting.OriginInfo System.Management.Automation.Remoting.BaseSessionDataStructureHandler System.Management.Automation.Remoting.ClientRemoteSessionDataStructureHandler System.Management.Automation.Remoting.ClientRemoteSessionDSHandlerImpl System.Management.Automation.Remoting.RunspaceRef System.Management.Automation.Remoting.ProxyAccessType System.Management.Automation.Remoting.PSSessionOption System.Management.Automation.Remoting.AsyncObject`1[T] System.Management.Automation.Remoting.ServerDispatchTable System.Management.Automation.Remoting.DispatchTable`1[T] System.Management.Automation.Remoting.FragmentedRemoteObject System.Management.Automation.Remoting.SerializedDataStream System.Management.Automation.Remoting.Fragmentor System.Management.Automation.Remoting.Indexer System.Management.Automation.Remoting.ObjectRef`1[T] System.Management.Automation.Remoting.CmdletMethodInvoker`1[T] System.Management.Automation.Remoting.HyperVSocketEndPoint System.Management.Automation.Remoting.RemoteSessionHyperVSocketServer System.Management.Automation.Remoting.RemoteSessionHyperVSocketClient System.Management.Automation.Remoting.NamedPipeUtils System.Management.Automation.Remoting.NamedPipeNative System.Management.Automation.Remoting.ListenerEndedEventArgs System.Management.Automation.Remoting.RemoteSessionNamedPipeServer System.Management.Automation.Remoting.NamedPipeClientBase System.Management.Automation.Remoting.RemoteSessionNamedPipeClient System.Management.Automation.Remoting.ContainerSessionNamedPipeClient System.Management.Automation.Remoting.PSRemotingErrorId System.Management.Automation.Remoting.PSRemotingErrorInvariants System.Management.Automation.Remoting.PSRemotingDataStructureException System.Management.Automation.Remoting.PSRemotingTransportException System.Management.Automation.Remoting.PSRemotingTransportRedirectException System.Management.Automation.Remoting.PSDirectException System.Management.Automation.Remoting.RunspacePoolInitInfo System.Management.Automation.Remoting.OperationState System.Management.Automation.Remoting.OperationStateEventArgs System.Management.Automation.Remoting.IThrottleOperation System.Management.Automation.Remoting.ThrottleManager System.Management.Automation.Remoting.RemoteDebuggingCapability System.Management.Automation.Remoting.RemoteDebuggingCommands System.Management.Automation.Remoting.RemoteHostCall System.Management.Automation.Remoting.RemoteHostResponse System.Management.Automation.Remoting.RemoteHostExceptions System.Management.Automation.Remoting.RemoteHostEncoder System.Management.Automation.Remoting.RemoteSessionCapability System.Management.Automation.Remoting.HostDefaultDataId System.Management.Automation.Remoting.HostDefaultData System.Management.Automation.Remoting.HostInfo System.Management.Automation.Remoting.RemoteDataObject`1[T] System.Management.Automation.Remoting.RemoteDataObject System.Management.Automation.Remoting.TransportMethodEnum System.Management.Automation.Remoting.TransportErrorOccuredEventArgs System.Management.Automation.Remoting.ConnectionStatus System.Management.Automation.Remoting.ConnectionStatusEventArgs System.Management.Automation.Remoting.CreateCompleteEventArgs System.Management.Automation.Remoting.BaseTransportManager System.Management.Automation.Remoting.ConfigurationDataFromXML System.Management.Automation.Remoting.PSSessionConfiguration System.Management.Automation.Remoting.DefaultRemotePowerShellConfiguration System.Management.Automation.Remoting.SessionType System.Management.Automation.Remoting.ConfigTypeEntry System.Management.Automation.Remoting.ConfigFileConstants System.Management.Automation.Remoting.DISCUtils System.Management.Automation.Remoting.DISCPowerShellConfiguration System.Management.Automation.Remoting.DISCFileValidation System.Management.Automation.Remoting.OutOfProcessUtils System.Management.Automation.Remoting.OutOfProcessTextWriter System.Management.Automation.Remoting.DataPriorityType System.Management.Automation.Remoting.PrioritySendDataCollection System.Management.Automation.Remoting.ReceiveDataCollection System.Management.Automation.Remoting.PriorityReceiveDataCollection System.Management.Automation.Remoting.PSSenderInfo System.Management.Automation.Remoting.PSPrincipal System.Management.Automation.Remoting.PSIdentity System.Management.Automation.Remoting.PSCertificateDetails System.Management.Automation.Remoting.PSSessionConfigurationData System.Management.Automation.Remoting.WSManPluginConstants System.Management.Automation.Remoting.WSManPluginErrorCodes System.Management.Automation.Remoting.WSManPluginOperationShutdownContext System.Management.Automation.Remoting.WSManPluginInstance System.Management.Automation.Remoting.WSManPluginShellDelegate System.Management.Automation.Remoting.WSManPluginReleaseShellContextDelegate System.Management.Automation.Remoting.WSManPluginConnectDelegate System.Management.Automation.Remoting.WSManPluginCommandDelegate System.Management.Automation.Remoting.WSManPluginOperationShutdownDelegate System.Management.Automation.Remoting.WSManPluginReleaseCommandContextDelegate System.Management.Automation.Remoting.WSManPluginSendDelegate System.Management.Automation.Remoting.WSManPluginReceiveDelegate System.Management.Automation.Remoting.WSManPluginSignalDelegate System.Management.Automation.Remoting.WaitOrTimerCallbackDelegate System.Management.Automation.Remoting.WSManShutdownPluginDelegate System.Management.Automation.Remoting.WSManPluginEntryDelegates System.Management.Automation.Remoting.WSManPluginManagedEntryWrapper System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper System.Management.Automation.Remoting.WSManPluginServerSession System.Management.Automation.Remoting.WSManPluginShellSession System.Management.Automation.Remoting.WSManPluginCommandSession System.Management.Automation.Remoting.WSManPluginServerTransportManager System.Management.Automation.Remoting.WSManPluginCommandTransportManager System.Management.Automation.Remoting.RemoteHostMethodId System.Management.Automation.Remoting.RemoteHostMethodInfo System.Management.Automation.Remoting.ServerMethodExecutor System.Management.Automation.Remoting.ServerRemoteHost System.Management.Automation.Remoting.ServerDriverRemoteHost System.Management.Automation.Remoting.ServerRemoteHostRawUserInterface System.Management.Automation.Remoting.ServerRemoteHostUserInterface System.Management.Automation.Remoting.ServerRemoteSessionContext System.Management.Automation.Remoting.ServerRemoteSession System.Management.Automation.Remoting.ServerRemoteSessionDSHandlerStateMachine System.Management.Automation.Remoting.ServerRemoteSessionDataStructureHandler System.Management.Automation.Remoting.ServerRemoteSessionDSHandlerImpl System.Management.Automation.Remoting.WSMan.WSManServerChannelEvents System.Management.Automation.Remoting.WSMan.ActiveSessionsChangedEventArgs System.Management.Automation.Remoting.Server.AbstractServerTransportManager System.Management.Automation.Remoting.Server.AbstractServerSessionTransportManager System.Management.Automation.Remoting.Server.ServerOperationHelpers System.Management.Automation.Remoting.Server.OutOfProcessServerSessionTransportManager System.Management.Automation.Remoting.Server.OutOfProcessServerTransportManager System.Management.Automation.Remoting.Server.OutOfProcessMediatorBase System.Management.Automation.Remoting.Server.StdIOProcessMediator System.Management.Automation.Remoting.Server.NamedPipeProcessMediator System.Management.Automation.Remoting.Server.FormattedErrorTextWriter System.Management.Automation.Remoting.Server.HyperVSocketMediator System.Management.Automation.Remoting.Server.HyperVSocketErrorTextWriter System.Management.Automation.Remoting.Client.BaseClientTransportManager System.Management.Automation.Remoting.Client.BaseClientSessionTransportManager System.Management.Automation.Remoting.Client.BaseClientCommandTransportManager System.Management.Automation.Remoting.Client.ClientSessionTransportManagerBase System.Management.Automation.Remoting.Client.OutOfProcessClientSessionTransportManager System.Management.Automation.Remoting.Client.HyperVSocketClientSessionTransportManagerBase System.Management.Automation.Remoting.Client.VMHyperVSocketClientSessionTransportManager System.Management.Automation.Remoting.Client.ContainerHyperVSocketClientSessionTransportManager System.Management.Automation.Remoting.Client.SSHClientSessionTransportManager System.Management.Automation.Remoting.Client.NamedPipeClientSessionTransportManagerBase System.Management.Automation.Remoting.Client.NamedPipeClientSessionTransportManager System.Management.Automation.Remoting.Client.ContainerNamedPipeClientSessionTransportManager System.Management.Automation.Remoting.Client.OutOfProcessClientCommandTransportManager System.Management.Automation.Remoting.Client.WSManNativeApi System.Management.Automation.Remoting.Client.IWSManNativeApiFacade System.Management.Automation.Remoting.Client.WSManNativeApiFacade System.Management.Automation.Remoting.Client.WSManTransportManagerUtils System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager System.Management.Automation.Remoting.Client.WSManClientCommandTransportManager System.Management.Automation.Remoting.Internal.PSStreamObjectType System.Management.Automation.Remoting.Internal.PSStreamObject System.Management.Automation.Configuration.ConfigScope System.Management.Automation.Configuration.PowerShellConfig System.Management.Automation.Configuration.PowerShellPolicies System.Management.Automation.Configuration.PolicyBase System.Management.Automation.Configuration.ScriptExecution System.Management.Automation.Configuration.ScriptBlockLogging System.Management.Automation.Configuration.ModuleLogging System.Management.Automation.Configuration.Transcription System.Management.Automation.Configuration.UpdatableHelp System.Management.Automation.Configuration.ConsoleSessionConfiguration System.Management.Automation.Configuration.ProtectedEventLogging System.Management.Automation.Interpreter.AddInstruction System.Management.Automation.Interpreter.AddOvfInstruction System.Management.Automation.Interpreter.NewArrayInitInstruction`1[TElement] System.Management.Automation.Interpreter.NewArrayInstruction`1[TElement] System.Management.Automation.Interpreter.NewArrayBoundsInstruction System.Management.Automation.Interpreter.GetArrayItemInstruction`1[TElement] System.Management.Automation.Interpreter.SetArrayItemInstruction`1[TElement] System.Management.Automation.Interpreter.RuntimeLabel System.Management.Automation.Interpreter.BranchLabel System.Management.Automation.Interpreter.CallInstruction System.Management.Automation.Interpreter.MethodInfoCallInstruction System.Management.Automation.Interpreter.ActionCallInstruction System.Management.Automation.Interpreter.ActionCallInstruction`1[T0] System.Management.Automation.Interpreter.ActionCallInstruction`2[T0,T1] System.Management.Automation.Interpreter.ActionCallInstruction`3[T0,T1,T2] System.Management.Automation.Interpreter.ActionCallInstruction`4[T0,T1,T2,T3] System.Management.Automation.Interpreter.ActionCallInstruction`5[T0,T1,T2,T3,T4] System.Management.Automation.Interpreter.ActionCallInstruction`6[T0,T1,T2,T3,T4,T5] System.Management.Automation.Interpreter.ActionCallInstruction`7[T0,T1,T2,T3,T4,T5,T6] System.Management.Automation.Interpreter.ActionCallInstruction`8[T0,T1,T2,T3,T4,T5,T6,T7] System.Management.Automation.Interpreter.ActionCallInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,T8] System.Management.Automation.Interpreter.FuncCallInstruction`1[TRet] System.Management.Automation.Interpreter.FuncCallInstruction`2[T0,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`3[T0,T1,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`4[T0,T1,T2,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`5[T0,T1,T2,T3,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`6[T0,T1,T2,T3,T4,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`7[T0,T1,T2,T3,T4,T5,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`8[T0,T1,T2,T3,T4,T5,T6,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,TRet] System.Management.Automation.Interpreter.FuncCallInstruction`10[T0,T1,T2,T3,T4,T5,T6,T7,T8,TRet] System.Management.Automation.Interpreter.OffsetInstruction System.Management.Automation.Interpreter.BranchFalseInstruction System.Management.Automation.Interpreter.BranchTrueInstruction System.Management.Automation.Interpreter.CoalescingBranchInstruction System.Management.Automation.Interpreter.BranchInstruction System.Management.Automation.Interpreter.IndexedBranchInstruction System.Management.Automation.Interpreter.GotoInstruction System.Management.Automation.Interpreter.EnterTryCatchFinallyInstruction System.Management.Automation.Interpreter.EnterFinallyInstruction System.Management.Automation.Interpreter.LeaveFinallyInstruction System.Management.Automation.Interpreter.EnterExceptionHandlerInstruction System.Management.Automation.Interpreter.LeaveExceptionHandlerInstruction System.Management.Automation.Interpreter.LeaveFaultInstruction System.Management.Automation.Interpreter.ThrowInstruction System.Management.Automation.Interpreter.SwitchInstruction System.Management.Automation.Interpreter.EnterLoopInstruction System.Management.Automation.Interpreter.CompiledLoopInstruction System.Management.Automation.Interpreter.DivInstruction System.Management.Automation.Interpreter.DynamicInstructionN System.Management.Automation.Interpreter.DynamicInstruction`1[TRet] System.Management.Automation.Interpreter.DynamicInstruction`2[T0,TRet] System.Management.Automation.Interpreter.DynamicInstruction`3[T0,T1,TRet] System.Management.Automation.Interpreter.DynamicInstruction`4[T0,T1,T2,TRet] System.Management.Automation.Interpreter.DynamicInstruction`5[T0,T1,T2,T3,TRet] System.Management.Automation.Interpreter.DynamicInstruction`6[T0,T1,T2,T3,T4,TRet] System.Management.Automation.Interpreter.DynamicInstruction`7[T0,T1,T2,T3,T4,T5,TRet] System.Management.Automation.Interpreter.DynamicInstruction`8[T0,T1,T2,T3,T4,T5,T6,TRet] System.Management.Automation.Interpreter.DynamicInstruction`9[T0,T1,T2,T3,T4,T5,T6,T7,TRet] System.Management.Automation.Interpreter.DynamicInstruction`10[T0,T1,T2,T3,T4,T5,T6,T7,T8,TRet] System.Management.Automation.Interpreter.DynamicInstruction`11[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,TRet] System.Management.Automation.Interpreter.DynamicInstruction`12[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,TRet] System.Management.Automation.Interpreter.DynamicInstruction`13[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,TRet] System.Management.Automation.Interpreter.DynamicInstruction`14[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,TRet] System.Management.Automation.Interpreter.DynamicInstruction`15[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,TRet] System.Management.Automation.Interpreter.DynamicInstruction`16[T0,T1,T2,T3,T4,T5,T6,T7,T8,T9,T10,T11,T12,T13,T14,TRet] System.Management.Automation.Interpreter.DynamicSplatInstruction System.Management.Automation.Interpreter.EqualInstruction System.Management.Automation.Interpreter.LoadStaticFieldInstruction System.Management.Automation.Interpreter.LoadFieldInstruction System.Management.Automation.Interpreter.StoreFieldInstruction System.Management.Automation.Interpreter.StoreStaticFieldInstruction System.Management.Automation.Interpreter.GreaterThanInstruction System.Management.Automation.Interpreter.ILightCallSiteBinder System.Management.Automation.Interpreter.IInstructionProvider System.Management.Automation.Interpreter.Instruction System.Management.Automation.Interpreter.NotInstruction System.Management.Automation.Interpreter.InstructionFactory System.Management.Automation.Interpreter.InstructionFactory`1[T] System.Management.Automation.Interpreter.InstructionArray System.Management.Automation.Interpreter.InstructionList System.Management.Automation.Interpreter.InterpretedFrame System.Management.Automation.Interpreter.Interpreter System.Management.Automation.Interpreter.LabelInfo System.Management.Automation.Interpreter.LabelScopeKind System.Management.Automation.Interpreter.LabelScopeInfo System.Management.Automation.Interpreter.LessThanInstruction System.Management.Automation.Interpreter.ExceptionHandler System.Management.Automation.Interpreter.TryCatchFinallyHandler System.Management.Automation.Interpreter.RethrowException System.Management.Automation.Interpreter.DebugInfo System.Management.Automation.Interpreter.InterpretedFrameInfo System.Management.Automation.Interpreter.LightCompiler System.Management.Automation.Interpreter.LightDelegateCreator System.Management.Automation.Interpreter.LightLambdaCompileEventArgs System.Management.Automation.Interpreter.LightLambda System.Management.Automation.Interpreter.LightLambdaClosureVisitor System.Management.Automation.Interpreter.IBoxableInstruction System.Management.Automation.Interpreter.LocalAccessInstruction System.Management.Automation.Interpreter.LoadLocalInstruction System.Management.Automation.Interpreter.LoadLocalBoxedInstruction System.Management.Automation.Interpreter.LoadLocalFromClosureInstruction System.Management.Automation.Interpreter.LoadLocalFromClosureBoxedInstruction System.Management.Automation.Interpreter.AssignLocalInstruction System.Management.Automation.Interpreter.StoreLocalInstruction System.Management.Automation.Interpreter.AssignLocalBoxedInstruction System.Management.Automation.Interpreter.StoreLocalBoxedInstruction System.Management.Automation.Interpreter.AssignLocalToClosureInstruction System.Management.Automation.Interpreter.InitializeLocalInstruction System.Management.Automation.Interpreter.RuntimeVariablesInstruction System.Management.Automation.Interpreter.LocalVariable System.Management.Automation.Interpreter.LocalDefinition System.Management.Automation.Interpreter.LocalVariables System.Management.Automation.Interpreter.LoopCompiler System.Management.Automation.Interpreter.MulInstruction System.Management.Automation.Interpreter.MulOvfInstruction System.Management.Automation.Interpreter.NotEqualInstruction System.Management.Automation.Interpreter.NumericConvertInstruction System.Management.Automation.Interpreter.UpdatePositionInstruction System.Management.Automation.Interpreter.RuntimeVariables System.Management.Automation.Interpreter.LoadObjectInstruction System.Management.Automation.Interpreter.LoadCachedObjectInstruction System.Management.Automation.Interpreter.PopInstruction System.Management.Automation.Interpreter.DupInstruction System.Management.Automation.Interpreter.SubInstruction System.Management.Automation.Interpreter.SubOvfInstruction System.Management.Automation.Interpreter.CreateDelegateInstruction System.Management.Automation.Interpreter.NewInstruction System.Management.Automation.Interpreter.DefaultValueInstruction`1[T] System.Management.Automation.Interpreter.TypeIsInstruction`1[T] System.Management.Automation.Interpreter.TypeAsInstruction`1[T] System.Management.Automation.Interpreter.TypeEqualsInstruction System.Management.Automation.Interpreter.TypeUtils System.Management.Automation.Interpreter.ArrayUtils System.Management.Automation.Interpreter.DelegateHelpers System.Management.Automation.Interpreter.ScriptingRuntimeHelpers System.Management.Automation.Interpreter.ArgumentArray System.Management.Automation.Interpreter.ExceptionHelpers System.Management.Automation.Interpreter.HybridReferenceDictionary`2[TKey,TValue] System.Management.Automation.Interpreter.CacheDict`2[TKey,TValue] System.Management.Automation.Interpreter.ThreadLocal`1[T] System.Management.Automation.Interpreter.Assert System.Management.Automation.Interpreter.ExpressionAccess System.Management.Automation.Interpreter.Utils System.Management.Automation.Interpreter.CollectionExtension System.Management.Automation.Interpreter.ListEqualityComparer`1[T] System.Management.Automation.PSTasks.PSTask System.Management.Automation.PSTasks.PSJobTask System.Management.Automation.PSTasks.PSTaskBase System.Management.Automation.PSTasks.PSTaskDataStreamWriter System.Management.Automation.PSTasks.PSTaskPool System.Management.Automation.PSTasks.PSTaskJob System.Management.Automation.PSTasks.PSTaskChildDebugger System.Management.Automation.PSTasks.PSTaskChildJob System.Management.Automation.Host.ChoiceDescription System.Management.Automation.Host.FieldDescription System.Management.Automation.Host.PSHost System.Management.Automation.Host.IHostSupportsInteractiveSession System.Management.Automation.Host.Coordinates System.Management.Automation.Host.Size System.Management.Automation.Host.ReadKeyOptions System.Management.Automation.Host.ControlKeyStates System.Management.Automation.Host.KeyInfo System.Management.Automation.Host.Rectangle System.Management.Automation.Host.BufferCell System.Management.Automation.Host.BufferCellType System.Management.Automation.Host.PSHostRawUserInterface System.Management.Automation.Host.PSHostUserInterface System.Management.Automation.Host.TranscriptionData System.Management.Automation.Host.TranscriptionOption System.Management.Automation.Host.IHostUISupportsMultipleChoiceSelection System.Management.Automation.Host.HostUIHelperMethods System.Management.Automation.Host.HostException System.Management.Automation.Host.PromptingException System.Management.Automation.Runspaces.AsyncResult System.Management.Automation.Runspaces.Command System.Management.Automation.Runspaces.PipelineResultTypes System.Management.Automation.Runspaces.CommandCollection System.Management.Automation.Runspaces.InvalidRunspaceStateException System.Management.Automation.Runspaces.RunspaceState System.Management.Automation.Runspaces.PSThreadOptions System.Management.Automation.Runspaces.RunspaceStateInfo System.Management.Automation.Runspaces.RunspaceStateEventArgs System.Management.Automation.Runspaces.RunspaceAvailability System.Management.Automation.Runspaces.RunspaceAvailabilityEventArgs System.Management.Automation.Runspaces.RunspaceCapability System.Management.Automation.Runspaces.Runspace System.Management.Automation.Runspaces.SessionStateProxy System.Management.Automation.Runspaces.RunspaceBase System.Management.Automation.Runspaces.RunspaceFactory System.Management.Automation.Runspaces.LocalRunspace System.Management.Automation.Runspaces.StopJobOperationHelper System.Management.Automation.Runspaces.CloseOrDisconnectRunspaceOperationHelper System.Management.Automation.Runspaces.RunspaceOpenModuleLoadException System.Management.Automation.Runspaces.LocalPipeline System.Management.Automation.Runspaces.PipelineThread System.Management.Automation.Runspaces.PipelineStopper System.Management.Automation.Runspaces.CommandParameter System.Management.Automation.Runspaces.CommandParameterCollection System.Management.Automation.Runspaces.InvalidPipelineStateException System.Management.Automation.Runspaces.PipelineState System.Management.Automation.Runspaces.PipelineStateInfo System.Management.Automation.Runspaces.PipelineStateEventArgs System.Management.Automation.Runspaces.Pipeline System.Management.Automation.Runspaces.PipelineBase System.Management.Automation.Runspaces.PowerShellProcessInstance System.Management.Automation.Runspaces.InvalidRunspacePoolStateException System.Management.Automation.Runspaces.RunspacePoolState System.Management.Automation.Runspaces.RunspacePoolStateChangedEventArgs System.Management.Automation.Runspaces.RunspaceCreatedEventArgs System.Management.Automation.Runspaces.RunspacePoolAvailability System.Management.Automation.Runspaces.RunspacePoolCapability System.Management.Automation.Runspaces.RunspacePoolAsyncResult System.Management.Automation.Runspaces.GetRunspaceAsyncResult System.Management.Automation.Runspaces.RunspacePool System.Management.Automation.Runspaces.EarlyStartup System.Management.Automation.Runspaces.InitialSessionStateEntry System.Management.Automation.Runspaces.ConstrainedSessionStateEntry System.Management.Automation.Runspaces.SessionStateCommandEntry System.Management.Automation.Runspaces.SessionStateTypeEntry System.Management.Automation.Runspaces.SessionStateFormatEntry System.Management.Automation.Runspaces.SessionStateAssemblyEntry System.Management.Automation.Runspaces.SessionStateCmdletEntry System.Management.Automation.Runspaces.SessionStateProviderEntry System.Management.Automation.Runspaces.SessionStateScriptEntry System.Management.Automation.Runspaces.SessionStateAliasEntry System.Management.Automation.Runspaces.SessionStateApplicationEntry System.Management.Automation.Runspaces.SessionStateFunctionEntry System.Management.Automation.Runspaces.SessionStateVariableEntry System.Management.Automation.Runspaces.InitialSessionStateEntryCollection`1[T] System.Management.Automation.Runspaces.InitialSessionState System.Management.Automation.Runspaces.PSSnapInHelpers System.Management.Automation.Runspaces.RunspaceEventSource System.Management.Automation.Runspaces.TargetMachineType System.Management.Automation.Runspaces.PSSession System.Management.Automation.Runspaces.RemotingErrorRecord System.Management.Automation.Runspaces.RemotingProgressRecord System.Management.Automation.Runspaces.RemotingWarningRecord System.Management.Automation.Runspaces.RemotingDebugRecord System.Management.Automation.Runspaces.RemotingVerboseRecord System.Management.Automation.Runspaces.RemotingInformationRecord System.Management.Automation.Runspaces.AuthenticationMechanism System.Management.Automation.Runspaces.PSSessionConfigurationAccessMode System.Management.Automation.Runspaces.OutputBufferingMode System.Management.Automation.Runspaces.RunspaceConnectionInfo System.Management.Automation.Runspaces.WSManConnectionInfo System.Management.Automation.Runspaces.NewProcessConnectionInfo System.Management.Automation.Runspaces.NamedPipeConnectionInfo System.Management.Automation.Runspaces.SSHConnectionInfo System.Management.Automation.Runspaces.VMConnectionInfo System.Management.Automation.Runspaces.ContainerConnectionInfo System.Management.Automation.Runspaces.ContainerProcess System.Management.Automation.Runspaces.TypesPs1xmlReader System.Management.Automation.Runspaces.ConsolidatedString System.Management.Automation.Runspaces.LoadContext System.Management.Automation.Runspaces.TypeTableLoadException System.Management.Automation.Runspaces.TypeData System.Management.Automation.Runspaces.TypeMemberData System.Management.Automation.Runspaces.NotePropertyData System.Management.Automation.Runspaces.AliasPropertyData System.Management.Automation.Runspaces.ScriptPropertyData System.Management.Automation.Runspaces.CodePropertyData System.Management.Automation.Runspaces.ScriptMethodData System.Management.Automation.Runspaces.CodeMethodData System.Management.Automation.Runspaces.PropertySetData System.Management.Automation.Runspaces.MemberSetData System.Management.Automation.Runspaces.TypeTable System.Management.Automation.Runspaces.FormatTableLoadException System.Management.Automation.Runspaces.FormatTable System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml System.Management.Automation.Runspaces.Event_Format_Ps1Xml System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml System.Management.Automation.Runspaces.Help_Format_Ps1Xml System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml System.Management.Automation.Runspaces.Registry_Format_Ps1Xml System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml System.Management.Automation.Runspaces.PSConsoleLoadException System.Management.Automation.Runspaces.PSSnapInException System.Management.Automation.Runspaces.PSSnapInTypeAndFormatErrors System.Management.Automation.Runspaces.FormatAndTypeDataHelper System.Management.Automation.Runspaces.PipelineReader`1[T] System.Management.Automation.Runspaces.PipelineWriter System.Management.Automation.Runspaces.DiscardingPipelineWriter System.Management.Automation.Runspaces.Internal.RunspacePoolInternal System.Management.Automation.Runspaces.Internal.ClientRemotePowerShell System.Management.Automation.Runspaces.Internal.PSConnectionRetryStatus System.Management.Automation.Runspaces.Internal.PSConnectionRetryStatusEventArgs System.Management.Automation.Runspaces.Internal.RemoteRunspacePoolInternal System.Management.Automation.Runspaces.Internal.ConnectCommandInfo System.Management.Automation.Runspaces.Internal.RemoteRunspacePoolEnumeration System.Management.Automation.Language.AstParameterArgumentType System.Management.Automation.Language.AstParameterArgumentPair System.Management.Automation.Language.PipeObjectPair System.Management.Automation.Language.AstArrayPair System.Management.Automation.Language.FakePair System.Management.Automation.Language.SwitchPair System.Management.Automation.Language.AstPair System.Management.Automation.Language.StaticParameterBinder System.Management.Automation.Language.StaticBindingResult System.Management.Automation.Language.ParameterBindingResult System.Management.Automation.Language.StaticBindingError System.Management.Automation.Language.PseudoBindingInfoType System.Management.Automation.Language.PseudoBindingInfo System.Management.Automation.Language.PseudoParameterBinder System.Management.Automation.Language.CodeGeneration System.Management.Automation.Language.NullString System.Management.Automation.Language.ISupportsAssignment System.Management.Automation.Language.IAssignableValue System.Management.Automation.Language.IParameterMetadataProvider System.Management.Automation.Language.Ast System.Management.Automation.Language.SequencePointAst System.Management.Automation.Language.ErrorStatementAst System.Management.Automation.Language.ErrorExpressionAst System.Management.Automation.Language.ScriptRequirements System.Management.Automation.Language.ScriptBlockAst System.Management.Automation.Language.ParamBlockAst System.Management.Automation.Language.NamedBlockAst System.Management.Automation.Language.NamedAttributeArgumentAst System.Management.Automation.Language.AttributeBaseAst System.Management.Automation.Language.AttributeAst System.Management.Automation.Language.TypeConstraintAst System.Management.Automation.Language.ParameterAst System.Management.Automation.Language.StatementBlockAst System.Management.Automation.Language.StatementAst System.Management.Automation.Language.TypeAttributes System.Management.Automation.Language.TypeDefinitionAst System.Management.Automation.Language.UsingStatementKind System.Management.Automation.Language.UsingStatementAst System.Management.Automation.Language.MemberAst System.Management.Automation.Language.PropertyAttributes System.Management.Automation.Language.PropertyMemberAst System.Management.Automation.Language.MethodAttributes System.Management.Automation.Language.FunctionMemberAst System.Management.Automation.Language.SpecialMemberFunctionType System.Management.Automation.Language.CompilerGeneratedMemberFunctionAst System.Management.Automation.Language.FunctionDefinitionAst System.Management.Automation.Language.IfStatementAst System.Management.Automation.Language.DataStatementAst System.Management.Automation.Language.LabeledStatementAst System.Management.Automation.Language.LoopStatementAst System.Management.Automation.Language.ForEachFlags System.Management.Automation.Language.ForEachStatementAst System.Management.Automation.Language.ForStatementAst System.Management.Automation.Language.DoWhileStatementAst System.Management.Automation.Language.DoUntilStatementAst System.Management.Automation.Language.WhileStatementAst System.Management.Automation.Language.SwitchFlags System.Management.Automation.Language.SwitchStatementAst System.Management.Automation.Language.CatchClauseAst System.Management.Automation.Language.TryStatementAst System.Management.Automation.Language.TrapStatementAst System.Management.Automation.Language.BreakStatementAst System.Management.Automation.Language.ContinueStatementAst System.Management.Automation.Language.ReturnStatementAst System.Management.Automation.Language.ExitStatementAst System.Management.Automation.Language.ThrowStatementAst System.Management.Automation.Language.ChainableAst System.Management.Automation.Language.PipelineChainAst System.Management.Automation.Language.PipelineBaseAst System.Management.Automation.Language.PipelineAst System.Management.Automation.Language.CommandElementAst System.Management.Automation.Language.CommandParameterAst System.Management.Automation.Language.CommandBaseAst System.Management.Automation.Language.CommandAst System.Management.Automation.Language.CommandExpressionAst System.Management.Automation.Language.RedirectionAst System.Management.Automation.Language.RedirectionStream System.Management.Automation.Language.MergingRedirectionAst System.Management.Automation.Language.FileRedirectionAst System.Management.Automation.Language.AssignmentStatementAst System.Management.Automation.Language.ConfigurationType System.Management.Automation.Language.ConfigurationDefinitionAst System.Management.Automation.Language.DynamicKeywordStatementAst System.Management.Automation.Language.ExpressionAst System.Management.Automation.Language.TernaryExpressionAst System.Management.Automation.Language.BinaryExpressionAst System.Management.Automation.Language.UnaryExpressionAst System.Management.Automation.Language.BlockStatementAst System.Management.Automation.Language.AttributedExpressionAst System.Management.Automation.Language.ConvertExpressionAst System.Management.Automation.Language.MemberExpressionAst System.Management.Automation.Language.InvokeMemberExpressionAst System.Management.Automation.Language.BaseCtorInvokeMemberExpressionAst System.Management.Automation.Language.ITypeName System.Management.Automation.Language.ISupportsTypeCaching System.Management.Automation.Language.TypeName System.Management.Automation.Language.GenericTypeName System.Management.Automation.Language.ArrayTypeName System.Management.Automation.Language.ReflectionTypeName System.Management.Automation.Language.TypeExpressionAst System.Management.Automation.Language.VariableExpressionAst System.Management.Automation.Language.ConstantExpressionAst System.Management.Automation.Language.StringConstantType System.Management.Automation.Language.StringConstantExpressionAst System.Management.Automation.Language.ExpandableStringExpressionAst System.Management.Automation.Language.ScriptBlockExpressionAst System.Management.Automation.Language.ArrayLiteralAst System.Management.Automation.Language.HashtableAst System.Management.Automation.Language.ArrayExpressionAst System.Management.Automation.Language.ParenExpressionAst System.Management.Automation.Language.SubExpressionAst System.Management.Automation.Language.UsingExpressionAst System.Management.Automation.Language.IndexExpressionAst System.Management.Automation.Language.CommentHelpInfo System.Management.Automation.Language.ICustomAstVisitor System.Management.Automation.Language.ICustomAstVisitor2 System.Management.Automation.Language.AstSearcher System.Management.Automation.Language.DefaultCustomAstVisitor System.Management.Automation.Language.DefaultCustomAstVisitor2 System.Management.Automation.Language.SpecialChars System.Management.Automation.Language.CharTraits System.Management.Automation.Language.CharExtensions System.Management.Automation.Language.CachedReflectionInfo System.Management.Automation.Language.ExpressionCache System.Management.Automation.Language.ExpressionExtensions System.Management.Automation.Language.FunctionContext System.Management.Automation.Language.Compiler System.Management.Automation.Language.MemberAssignableValue System.Management.Automation.Language.InvokeMemberAssignableValue System.Management.Automation.Language.IndexAssignableValue System.Management.Automation.Language.ArrayAssignableValue System.Management.Automation.Language.PowerShellLoopExpression System.Management.Automation.Language.EnterLoopExpression System.Management.Automation.Language.UpdatePositionExpr System.Management.Automation.Language.IsConstantValueVisitor System.Management.Automation.Language.ConstantValueVisitor System.Management.Automation.Language.ParseMode System.Management.Automation.Language.Parser System.Management.Automation.Language.ParseError System.Management.Automation.Language.ParserEventSource System.Management.Automation.Language.IScriptPosition System.Management.Automation.Language.IScriptExtent System.Management.Automation.Language.PositionUtilities System.Management.Automation.Language.PositionHelper System.Management.Automation.Language.InternalScriptPosition System.Management.Automation.Language.InternalScriptExtent System.Management.Automation.Language.EmptyScriptPosition System.Management.Automation.Language.EmptyScriptExtent System.Management.Automation.Language.ScriptPosition System.Management.Automation.Language.ScriptExtent System.Management.Automation.Language.AstVisitAction System.Management.Automation.Language.AstVisitor System.Management.Automation.Language.AstVisitor2 System.Management.Automation.Language.IAstPostVisitHandler System.Management.Automation.Language.TypeDefiner System.Management.Automation.Language.NoRunspaceAffinityAttribute System.Management.Automation.Language.IsSafeValueVisitor System.Management.Automation.Language.GetSafeValueVisitor System.Management.Automation.Language.SemanticChecks System.Management.Automation.Language.DscResourceChecker System.Management.Automation.Language.RestrictedLanguageChecker System.Management.Automation.Language.ScopeType System.Management.Automation.Language.TypeLookupResult System.Management.Automation.Language.Scope System.Management.Automation.Language.SymbolTable System.Management.Automation.Language.SymbolResolver System.Management.Automation.Language.SymbolResolvePostActionVisitor System.Management.Automation.Language.TokenKind System.Management.Automation.Language.TokenFlags System.Management.Automation.Language.TokenTraits System.Management.Automation.Language.Token System.Management.Automation.Language.NumberToken System.Management.Automation.Language.ParameterToken System.Management.Automation.Language.VariableToken System.Management.Automation.Language.StringToken System.Management.Automation.Language.StringLiteralToken System.Management.Automation.Language.StringExpandableToken System.Management.Automation.Language.LabelToken System.Management.Automation.Language.RedirectionToken System.Management.Automation.Language.InputRedirectionToken System.Management.Automation.Language.MergingRedirectionToken System.Management.Automation.Language.FileRedirectionToken System.Management.Automation.Language.UnscannedSubExprToken System.Management.Automation.Language.DynamicKeywordNameMode System.Management.Automation.Language.DynamicKeywordBodyMode System.Management.Automation.Language.DynamicKeyword System.Management.Automation.Language.DynamicKeywordExtension System.Management.Automation.Language.DynamicKeywordProperty System.Management.Automation.Language.DynamicKeywordParameter System.Management.Automation.Language.TokenizerMode System.Management.Automation.Language.NumberSuffixFlags System.Management.Automation.Language.NumberFormat System.Management.Automation.Language.TokenizerState System.Management.Automation.Language.Tokenizer System.Management.Automation.Language.TypeResolver System.Management.Automation.Language.TypeResolutionState System.Management.Automation.Language.TypeCache System.Management.Automation.Language.VariablePathExtensions System.Management.Automation.Language.VariableAnalysisDetails System.Management.Automation.Language.FindAllVariablesVisitor System.Management.Automation.Language.VariableAnalysis System.Management.Automation.Language.DynamicMetaObjectExtensions System.Management.Automation.Language.DynamicMetaObjectBinderExtensions System.Management.Automation.Language.BinderUtils System.Management.Automation.Language.PSEnumerableBinder System.Management.Automation.Language.PSToObjectArrayBinder System.Management.Automation.Language.PSPipeWriterBinder System.Management.Automation.Language.PSArrayAssignmentRHSBinder System.Management.Automation.Language.PSToStringBinder System.Management.Automation.Language.PSPipelineResultToBoolBinder System.Management.Automation.Language.PSInvokeDynamicMemberBinder System.Management.Automation.Language.PSDynamicGetOrSetBinderKeyComparer System.Management.Automation.Language.PSGetDynamicMemberBinder System.Management.Automation.Language.PSSetDynamicMemberBinder System.Management.Automation.Language.PSSwitchClauseEvalBinder System.Management.Automation.Language.PSAttributeGenerator System.Management.Automation.Language.PSCustomObjectConverter System.Management.Automation.Language.PSDynamicConvertBinder System.Management.Automation.Language.PSVariableAssignmentBinder System.Management.Automation.Language.PSBinaryOperationBinder System.Management.Automation.Language.PSUnaryOperationBinder System.Management.Automation.Language.PSConvertBinder System.Management.Automation.Language.PSGetIndexBinder System.Management.Automation.Language.PSSetIndexBinder System.Management.Automation.Language.PSGetMemberBinder System.Management.Automation.Language.PSSetMemberBinder System.Management.Automation.Language.PSInvokeBinder System.Management.Automation.Language.PSInvokeMemberBinder System.Management.Automation.Language.PSCreateInstanceBinder System.Management.Automation.Language.PSInvokeBaseCtorBinder System.Management.Automation.InteropServices.ComEventsSink System.Management.Automation.InteropServices.ComEventsMethod System.Management.Automation.InteropServices.IDispatch System.Management.Automation.InteropServices.InvokeFlags System.Management.Automation.InteropServices.Variant System.Management.Automation.ComInterop.ArgBuilder System.Management.Automation.ComInterop.BoolArgBuilder System.Management.Automation.ComInterop.BoundDispEvent System.Management.Automation.ComInterop.CollectionExtensions System.Management.Automation.ComInterop.ComBinder System.Management.Automation.ComInterop.ComBinderHelpers System.Management.Automation.ComInterop.ComClassMetaObject System.Management.Automation.ComInterop.ComEventDesc System.Management.Automation.ComInterop.ComEventSinksContainer System.Management.Automation.ComInterop.ComFallbackMetaObject System.Management.Automation.ComInterop.ComUnwrappedMetaObject System.Management.Automation.ComInterop.ComHresults System.Management.Automation.ComInterop.IDispatch System.Management.Automation.ComInterop.IProvideClassInfo System.Management.Automation.ComInterop.ComDispIds System.Management.Automation.ComInterop.ComInvokeAction System.Management.Automation.ComInterop.SplatInvokeBinder System.Management.Automation.ComInterop.ComInvokeBinder System.Management.Automation.ComInterop.ComMetaObject System.Management.Automation.ComInterop.ComMethodDesc System.Management.Automation.ComInterop.ComObject System.Management.Automation.ComInterop.ComRuntimeHelpers System.Management.Automation.ComInterop.UnsafeMethods System.Management.Automation.ComInterop.ComTypeClassDesc System.Management.Automation.ComInterop.ComTypeDesc System.Management.Automation.ComInterop.ComTypeEnumDesc System.Management.Automation.ComInterop.ComTypeLibDesc System.Management.Automation.ComInterop.ConversionArgBuilder System.Management.Automation.ComInterop.ConvertArgBuilder System.Management.Automation.ComInterop.ConvertibleArgBuilder System.Management.Automation.ComInterop.CurrencyArgBuilder System.Management.Automation.ComInterop.DateTimeArgBuilder System.Management.Automation.ComInterop.DispatchArgBuilder System.Management.Automation.ComInterop.DispCallable System.Management.Automation.ComInterop.DispCallableMetaObject System.Management.Automation.ComInterop.ErrorArgBuilder System.Management.Automation.ComInterop.Error System.Management.Automation.ComInterop.ExcepInfo System.Management.Automation.ComInterop.Helpers System.Management.Automation.ComInterop.Requires System.Management.Automation.ComInterop.IDispatchComObject System.Management.Automation.ComInterop.IDispatchMetaObject System.Management.Automation.ComInterop.IPseudoComObject System.Management.Automation.ComInterop.NullArgBuilder System.Management.Automation.ComInterop.SimpleArgBuilder System.Management.Automation.ComInterop.SplatCallSite System.Management.Automation.ComInterop.StringArgBuilder System.Management.Automation.ComInterop.TypeEnumMetaObject System.Management.Automation.ComInterop.TypeLibMetaObject System.Management.Automation.ComInterop.TypeUtils System.Management.Automation.ComInterop.UnknownArgBuilder System.Management.Automation.ComInterop.VarEnumSelector System.Management.Automation.ComInterop.VariantArgBuilder System.Management.Automation.ComInterop.VariantArray1 System.Management.Automation.ComInterop.VariantArray2 System.Management.Automation.ComInterop.VariantArray4 System.Management.Automation.ComInterop.VariantArray8 System.Management.Automation.ComInterop.VariantArray System.Management.Automation.ComInterop.VariantBuilder System.Management.Automation.Internal.PSTransactionManager System.Management.Automation.Internal.PowerShellModuleAssemblyAnalyzer System.Management.Automation.Internal.CmdletMetadataAttribute System.Management.Automation.Internal.ParsingBaseAttribute System.Management.Automation.Internal.AutomationNull System.Management.Automation.Internal.InternalCommand System.Management.Automation.Internal.CommonParameters System.Management.Automation.Internal.DebuggerUtils System.Management.Automation.Internal.PSMonitorRunspaceType System.Management.Automation.Internal.PSMonitorRunspaceInfo System.Management.Automation.Internal.PSStandaloneMonitorRunspaceInfo System.Management.Automation.Internal.PSEmbeddedMonitorRunspaceInfo System.Management.Automation.Internal.ModuleUtils System.Management.Automation.Internal.CommandScore System.Management.Automation.Internal.VariableStreamKind System.Management.Automation.Internal.Pipe System.Management.Automation.Internal.PipelineProcessor System.Management.Automation.Internal.ClientRunspacePoolDataStructureHandler System.Management.Automation.Internal.ClientPowerShellDataStructureHandler System.Management.Automation.Internal.InformationalMessage System.Management.Automation.Internal.RobustConnectionProgress System.Management.Automation.Internal.PSKeyword System.Management.Automation.Internal.PSLevel System.Management.Automation.Internal.PSOpcode System.Management.Automation.Internal.PSEventId System.Management.Automation.Internal.PSChannel System.Management.Automation.Internal.PSTask System.Management.Automation.Internal.PSEventVersion System.Management.Automation.Internal.PSETWBinaryBlob System.Management.Automation.Internal.SessionStateKeeper System.Management.Automation.Internal.ScriptBlockMemberMethodWrapper System.Management.Automation.Internal.ClassOps System.Management.Automation.Internal.ShouldProcessParameters System.Management.Automation.Internal.TransactionParameters System.Management.Automation.Internal.InternalTestHooks System.Management.Automation.Internal.HistoryStack`1[T] System.Management.Automation.Internal.BoundedStack`1[T] System.Management.Automation.Internal.ReadOnlyBag`1[T] System.Management.Automation.Internal.Requires System.Management.Automation.Internal.StringDecorated System.Management.Automation.Internal.ValueStringDecorated System.Management.Automation.Internal.ICabinetExtractor System.Management.Automation.Internal.ICabinetExtractorLoader System.Management.Automation.Internal.CabinetExtractorFactory System.Management.Automation.Internal.EmptyCabinetExtractor System.Management.Automation.Internal.CabinetExtractor System.Management.Automation.Internal.CabinetExtractorLoader System.Management.Automation.Internal.CabinetNativeApi System.Management.Automation.Internal.AlternateStreamData System.Management.Automation.Internal.AlternateDataStreamUtilities System.Management.Automation.Internal.CopyFileRemoteUtils System.Management.Automation.Internal.SaferPolicy System.Management.Automation.Internal.SecuritySupport System.Management.Automation.Internal.CertificateFilterInfo System.Management.Automation.Internal.PSCryptoNativeConverter System.Management.Automation.Internal.PSCryptoException System.Management.Automation.Internal.PSRSACryptoServiceProvider System.Management.Automation.Internal.PSRemotingCryptoHelper System.Management.Automation.Internal.PSRemotingCryptoHelperServer System.Management.Automation.Internal.PSRemotingCryptoHelperClient System.Management.Automation.Internal.TestHelperSession System.Management.Automation.Internal.GraphicalHostReflectionWrapper System.Management.Automation.Internal.ObjectReaderBase`1[T] System.Management.Automation.Internal.ObjectReader System.Management.Automation.Internal.PSObjectReader System.Management.Automation.Internal.PSDataCollectionReader`2[T,TResult] System.Management.Automation.Internal.PSDataCollectionPipelineReader`2[T,TReturn] System.Management.Automation.Internal.ObjectStreamBase System.Management.Automation.Internal.ObjectStream System.Management.Automation.Internal.PSDataCollectionStream`1[T] System.Management.Automation.Internal.ObjectWriter System.Management.Automation.Internal.PSDataCollectionWriter`1[T] System.Management.Automation.Internal.StringUtil System.Management.Automation.Internal.Host.InternalHost System.Management.Automation.Internal.Host.InternalHostRawUserInterface System.Management.Automation.Internal.Host.InternalHostUserInterface Microsoft.PowerShell.NativeCultureResolver Microsoft.PowerShell.ToStringCodeMethods Microsoft.PowerShell.AdapterCodeMethods Microsoft.PowerShell.DefaultHost Microsoft.PowerShell.ProcessCodeMethods Microsoft.PowerShell.DeserializingTypeConverter Microsoft.PowerShell.SecureStringHelper Microsoft.PowerShell.EncryptionResult Microsoft.PowerShell.DataProtectionScope Microsoft.PowerShell.ProtectedData Microsoft.PowerShell.CAPI Microsoft.PowerShell.PSAuthorizationManager Microsoft.PowerShell.ExecutionPolicy Microsoft.PowerShell.ExecutionPolicyScope Microsoft.PowerShell.Telemetry.TelemetryType Microsoft.PowerShell.Telemetry.NameObscurerTelemetryInitializer Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry Microsoft.PowerShell.DesiredStateConfiguration.ArgumentToConfigurationDataTransformationAttribute Microsoft.PowerShell.DesiredStateConfiguration.CimDSCParser Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscRemoteOperationsClass Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCacheEntry Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache Microsoft.PowerShell.Commands.EnableDisableExperimentalFeatureCommandBase Microsoft.PowerShell.Commands.EnableExperimentalFeatureCommand Microsoft.PowerShell.Commands.DisableExperimentalFeatureCommand Microsoft.PowerShell.Commands.ExperimentalFeatureConfigHelper Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand Microsoft.PowerShell.Commands.GetCommandCommand Microsoft.PowerShell.Commands.NounArgumentCompleter Microsoft.PowerShell.Commands.HistoryInfo Microsoft.PowerShell.Commands.History Microsoft.PowerShell.Commands.GetHistoryCommand Microsoft.PowerShell.Commands.InvokeHistoryCommand Microsoft.PowerShell.Commands.AddHistoryCommand Microsoft.PowerShell.Commands.ClearHistoryCommand Microsoft.PowerShell.Commands.DynamicPropertyGetter Microsoft.PowerShell.Commands.ForEachObjectCommand Microsoft.PowerShell.Commands.WhereObjectCommand Microsoft.PowerShell.Commands.SetPSDebugCommand Microsoft.PowerShell.Commands.SetStrictModeCommand Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter Microsoft.PowerShell.Commands.ExportModuleMemberCommand Microsoft.PowerShell.Commands.GetModuleCommand Microsoft.PowerShell.Commands.PSEditionArgumentCompleter Microsoft.PowerShell.Commands.ImportModuleCommand Microsoft.PowerShell.Commands.ModuleCmdletBase Microsoft.PowerShell.Commands.BinaryAnalysisResult Microsoft.PowerShell.Commands.ModuleSpecification Microsoft.PowerShell.Commands.ModuleSpecificationComparer Microsoft.PowerShell.Commands.NewModuleCommand Microsoft.PowerShell.Commands.NewModuleManifestCommand Microsoft.PowerShell.Commands.RemoveModuleCommand Microsoft.PowerShell.Commands.TestModuleManifestCommand Microsoft.PowerShell.Commands.ObjectEventRegistrationBase Microsoft.PowerShell.Commands.ConnectPSSessionCommand Microsoft.PowerShell.Commands.RegisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.PSSessionConfigurationCommandUtilities Microsoft.PowerShell.Commands.PSSessionConfigurationCommandBase Microsoft.PowerShell.Commands.UnregisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.GetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.SetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.DisablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSRemotingCommand Microsoft.PowerShell.Commands.DisablePSRemotingCommand Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand Microsoft.PowerShell.Commands.DebugJobCommand Microsoft.PowerShell.Commands.DisconnectPSSessionCommand Microsoft.PowerShell.Commands.EnterPSHostProcessCommand Microsoft.PowerShell.Commands.ExitPSHostProcessCommand Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand Microsoft.PowerShell.Commands.PSHostProcessInfo Microsoft.PowerShell.Commands.PSHostProcessUtils Microsoft.PowerShell.Commands.GetJobCommand Microsoft.PowerShell.Commands.GetPSSessionCommand Microsoft.PowerShell.Commands.InvokeCommandCommand Microsoft.PowerShell.Commands.NewPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.NewPSRoleCapabilityFileCommand Microsoft.PowerShell.Commands.SessionConfigurationUtils Microsoft.PowerShell.Commands.WSManConfigurationOption Microsoft.PowerShell.Commands.NewPSTransportOptionCommand Microsoft.PowerShell.Commands.NewPSSessionOptionCommand Microsoft.PowerShell.Commands.NewPSSessionCommand Microsoft.PowerShell.Commands.OpenRunspaceOperation Microsoft.PowerShell.Commands.ExitPSSessionCommand Microsoft.PowerShell.Commands.PSRemotingCmdlet Microsoft.PowerShell.Commands.SSHConnection Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet Microsoft.PowerShell.Commands.PSExecutionCmdlet Microsoft.PowerShell.Commands.PSRunspaceCmdlet Microsoft.PowerShell.Commands.ExecutionCmdletHelper Microsoft.PowerShell.Commands.ExecutionCmdletHelperRunspace Microsoft.PowerShell.Commands.ExecutionCmdletHelperComputerName Microsoft.PowerShell.Commands.PathResolver Microsoft.PowerShell.Commands.QueryRunspaces Microsoft.PowerShell.Commands.SessionFilterState Microsoft.PowerShell.Commands.EnterPSSessionCommand Microsoft.PowerShell.Commands.ReceiveJobCommand Microsoft.PowerShell.Commands.OutputProcessingState Microsoft.PowerShell.Commands.ReceivePSSessionCommand Microsoft.PowerShell.Commands.OutTarget Microsoft.PowerShell.Commands.RunspaceParameterSet Microsoft.PowerShell.Commands.RemotingCommandUtil Microsoft.PowerShell.Commands.JobCmdletBase Microsoft.PowerShell.Commands.RemoveJobCommand Microsoft.PowerShell.Commands.RemovePSSessionCommand Microsoft.PowerShell.Commands.StartJobCommand Microsoft.PowerShell.Commands.StopJobCommand Microsoft.PowerShell.Commands.TestPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.WaitJobCommand Microsoft.PowerShell.Commands.OpenMode Microsoft.PowerShell.Commands.EnumerableExpansionConversion Microsoft.PowerShell.Commands.FormatXmlWriter Microsoft.PowerShell.Commands.PSPropertyExpressionResult Microsoft.PowerShell.Commands.PSPropertyExpression Microsoft.PowerShell.Commands.FormatDefaultCommand Microsoft.PowerShell.Commands.OutNullCommand Microsoft.PowerShell.Commands.OutDefaultCommand Microsoft.PowerShell.Commands.OutHostCommand Microsoft.PowerShell.Commands.OutLineOutputCommand Microsoft.PowerShell.Commands.HelpCategoryInvalidException Microsoft.PowerShell.Commands.GetHelpCommand Microsoft.PowerShell.Commands.GetHelpCodeMethods Microsoft.PowerShell.Commands.HelpNotFoundException Microsoft.PowerShell.Commands.SaveHelpCommand Microsoft.PowerShell.Commands.ArgumentToModuleTransformationAttribute Microsoft.PowerShell.Commands.UpdatableHelpCommandBase Microsoft.PowerShell.Commands.UpdateHelpScope Microsoft.PowerShell.Commands.UpdateHelpCommand Microsoft.PowerShell.Commands.AliasProvider Microsoft.PowerShell.Commands.AliasProviderDynamicParameters Microsoft.PowerShell.Commands.EnvironmentProvider Microsoft.PowerShell.Commands.FileSystemContentReaderWriter Microsoft.PowerShell.Commands.FileStreamBackReader Microsoft.PowerShell.Commands.BackReaderEncodingNotSupportedException Microsoft.PowerShell.Commands.FileSystemProvider Microsoft.PowerShell.Commands.SafeInvokeCommand Microsoft.PowerShell.Commands.CopyItemDynamicParameters Microsoft.PowerShell.Commands.GetChildDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentDynamicParametersBase Microsoft.PowerShell.Commands.FileSystemClearContentDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentWriterDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentReaderDynamicParameters Microsoft.PowerShell.Commands.FileSystemItemProviderDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderGetItemDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderRemoveItemDynamicParameters Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods Microsoft.PowerShell.Commands.FunctionProvider Microsoft.PowerShell.Commands.FunctionProviderDynamicParameters Microsoft.PowerShell.Commands.RegistryProvider Microsoft.PowerShell.Commands.RegistryProviderSetItemDynamicParameter Microsoft.PowerShell.Commands.IRegistryWrapper Microsoft.PowerShell.Commands.RegistryWrapperUtils Microsoft.PowerShell.Commands.RegistryWrapper Microsoft.PowerShell.Commands.TransactedRegistryWrapper Microsoft.PowerShell.Commands.SessionStateProviderBase Microsoft.PowerShell.Commands.SessionStateProviderBaseContentReaderWriter Microsoft.PowerShell.Commands.VariableProvider Microsoft.PowerShell.Commands.CertificatePurpose Microsoft.PowerShell.Commands.Internal.TransactedRegistryKey Microsoft.PowerShell.Commands.Internal.TransactedRegistry Microsoft.PowerShell.Commands.Internal.TransactedRegistrySecurity Microsoft.PowerShell.Commands.Internal.RemotingErrorResources Microsoft.PowerShell.Commands.Internal.Win32Native Microsoft.PowerShell.Commands.Internal.Format.TerminatingErrorContext Microsoft.PowerShell.Commands.Internal.Format.CommandWrapper Microsoft.PowerShell.Commands.Internal.Format.FrontEndCommandBase Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommandBase Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommand Microsoft.PowerShell.Commands.Internal.Format.OuterFormatShapeCommandBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableAndListBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableBase Microsoft.PowerShell.Commands.Internal.Format.FormattingCommandLineParameters Microsoft.PowerShell.Commands.Internal.Format.ShapeSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.TableSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.WideSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.ComplexSpecificParameters Microsoft.PowerShell.Commands.Internal.Format.ExpressionEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.AlignmentEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.WidthEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.LabelEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatStringDefinition Microsoft.PowerShell.Commands.Internal.Format.BooleanEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatParameterDefinitionKeys Microsoft.PowerShell.Commands.Internal.Format.FormatGroupByParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatParameterDefinitionBase Microsoft.PowerShell.Commands.Internal.Format.FormatTableParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatListParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatWideParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatObjectParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner Microsoft.PowerShell.Commands.Internal.Format.ColumnWidthManager Microsoft.PowerShell.Commands.Internal.Format.ComplexWriter Microsoft.PowerShell.Commands.Internal.Format.IndentationManager Microsoft.PowerShell.Commands.Internal.Format.GetWordsResult Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper Microsoft.PowerShell.Commands.Internal.Format.EnumerableExpansion Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBase Microsoft.PowerShell.Commands.Internal.Format.DatabaseLoadingInfo Microsoft.PowerShell.Commands.Internal.Format.DefaultSettingsSection Microsoft.PowerShell.Commands.Internal.Format.FormatErrorPolicy Microsoft.PowerShell.Commands.Internal.Format.ShapeSelectionDirectives Microsoft.PowerShell.Commands.Internal.Format.FormatShape Microsoft.PowerShell.Commands.Internal.Format.FormatShapeSelectionBase Microsoft.PowerShell.Commands.Internal.Format.FormatShapeSelectionOnType Microsoft.PowerShell.Commands.Internal.Format.EnumerableExpansionDirective Microsoft.PowerShell.Commands.Internal.Format.TypeGroupsSection Microsoft.PowerShell.Commands.Internal.Format.TypeGroupDefinition Microsoft.PowerShell.Commands.Internal.Format.TypeOrGroupReference Microsoft.PowerShell.Commands.Internal.Format.TypeReference Microsoft.PowerShell.Commands.Internal.Format.TypeGroupReference Microsoft.PowerShell.Commands.Internal.Format.FormatToken Microsoft.PowerShell.Commands.Internal.Format.TextToken Microsoft.PowerShell.Commands.Internal.Format.NewLineToken Microsoft.PowerShell.Commands.Internal.Format.FrameToken Microsoft.PowerShell.Commands.Internal.Format.FrameInfoDefinition Microsoft.PowerShell.Commands.Internal.Format.ExpressionToken Microsoft.PowerShell.Commands.Internal.Format.PropertyTokenBase Microsoft.PowerShell.Commands.Internal.Format.CompoundPropertyToken Microsoft.PowerShell.Commands.Internal.Format.FieldPropertyToken Microsoft.PowerShell.Commands.Internal.Format.FieldFormattingDirective Microsoft.PowerShell.Commands.Internal.Format.ControlBase Microsoft.PowerShell.Commands.Internal.Format.ControlReference Microsoft.PowerShell.Commands.Internal.Format.ControlBody Microsoft.PowerShell.Commands.Internal.Format.ControlDefinition Microsoft.PowerShell.Commands.Internal.Format.ViewDefinitionsSection Microsoft.PowerShell.Commands.Internal.Format.AppliesTo Microsoft.PowerShell.Commands.Internal.Format.GroupBy Microsoft.PowerShell.Commands.Internal.Format.StartGroup Microsoft.PowerShell.Commands.Internal.Format.FormatControlDefinitionHolder Microsoft.PowerShell.Commands.Internal.Format.ViewDefinition Microsoft.PowerShell.Commands.Internal.Format.FormatDirective Microsoft.PowerShell.Commands.Internal.Format.StringResourceReference Microsoft.PowerShell.Commands.Internal.Format.ComplexControlBody Microsoft.PowerShell.Commands.Internal.Format.ComplexControlEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.ComplexControlItemDefinition Microsoft.PowerShell.Commands.Internal.Format.ListControlBody Microsoft.PowerShell.Commands.Internal.Format.ListControlEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.ListControlItemDefinition Microsoft.PowerShell.Commands.Internal.Format.FieldControlBody Microsoft.PowerShell.Commands.Internal.Format.TextAlignment Microsoft.PowerShell.Commands.Internal.Format.TableControlBody Microsoft.PowerShell.Commands.Internal.Format.TableHeaderDefinition Microsoft.PowerShell.Commands.Internal.Format.TableColumnHeaderDefinition Microsoft.PowerShell.Commands.Internal.Format.TableRowDefinition Microsoft.PowerShell.Commands.Internal.Format.TableRowItemDefinition Microsoft.PowerShell.Commands.Internal.Format.WideControlBody Microsoft.PowerShell.Commands.Internal.Format.WideControlEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager Microsoft.PowerShell.Commands.Internal.Format.DisplayCondition Microsoft.PowerShell.Commands.Internal.Format.TypeMatchItem Microsoft.PowerShell.Commands.Internal.Format.TypeMatch Microsoft.PowerShell.Commands.Internal.Format.DisplayDataQuery Microsoft.PowerShell.Commands.Internal.Format.XmlFileLoadInfo Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoaderException Microsoft.PowerShell.Commands.Internal.Format.TooManyErrorsException Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLoggerEntry Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLogger Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderBase Microsoft.PowerShell.Commands.Internal.Format.GroupingInfoManager Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager Microsoft.PowerShell.Commands.Internal.Format.FormatInfoData Microsoft.PowerShell.Commands.Internal.Format.PacketInfoData Microsoft.PowerShell.Commands.Internal.Format.ControlInfoData Microsoft.PowerShell.Commands.Internal.Format.StartData Microsoft.PowerShell.Commands.Internal.Format.FormatStartData Microsoft.PowerShell.Commands.Internal.Format.FormatEndData Microsoft.PowerShell.Commands.Internal.Format.GroupStartData Microsoft.PowerShell.Commands.Internal.Format.GroupEndData Microsoft.PowerShell.Commands.Internal.Format.FormatEntryData Microsoft.PowerShell.Commands.Internal.Format.ShapeInfo Microsoft.PowerShell.Commands.Internal.Format.WideViewHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.TableHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.TableColumnInfo Microsoft.PowerShell.Commands.Internal.Format.ListViewHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.ComplexViewHeaderInfo Microsoft.PowerShell.Commands.Internal.Format.FormatEntryInfo Microsoft.PowerShell.Commands.Internal.Format.RawTextFormatEntry Microsoft.PowerShell.Commands.Internal.Format.FreeFormatEntry Microsoft.PowerShell.Commands.Internal.Format.ListViewEntry Microsoft.PowerShell.Commands.Internal.Format.ListViewField Microsoft.PowerShell.Commands.Internal.Format.TableRowEntry Microsoft.PowerShell.Commands.Internal.Format.WideViewEntry Microsoft.PowerShell.Commands.Internal.Format.ComplexViewEntry Microsoft.PowerShell.Commands.Internal.Format.GroupingEntry Microsoft.PowerShell.Commands.Internal.Format.PageHeaderEntry Microsoft.PowerShell.Commands.Internal.Format.PageFooterEntry Microsoft.PowerShell.Commands.Internal.Format.AutosizeInfo Microsoft.PowerShell.Commands.Internal.Format.FormatValue Microsoft.PowerShell.Commands.Internal.Format.FormatNewLine Microsoft.PowerShell.Commands.Internal.Format.FormatTextField Microsoft.PowerShell.Commands.Internal.Format.FormatPropertyField Microsoft.PowerShell.Commands.Internal.Format.FormatEntry Microsoft.PowerShell.Commands.Internal.Format.FrameInfo Microsoft.PowerShell.Commands.Internal.Format.FormatObjectDeserializer Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataClassFactory Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataListDeserializer`1[T] Microsoft.PowerShell.Commands.Internal.Format.ViewGenerator Microsoft.PowerShell.Commands.Internal.Format.ComplexViewGenerator Microsoft.PowerShell.Commands.Internal.Format.ComplexControlGenerator Microsoft.PowerShell.Commands.Internal.Format.TraversalInfo Microsoft.PowerShell.Commands.Internal.Format.ComplexViewObjectBrowser Microsoft.PowerShell.Commands.Internal.Format.ListViewGenerator Microsoft.PowerShell.Commands.Internal.Format.TableViewGenerator Microsoft.PowerShell.Commands.Internal.Format.WideViewGenerator Microsoft.PowerShell.Commands.Internal.Format.DefaultScalarTypes Microsoft.PowerShell.Commands.Internal.Format.FormatViewManager Microsoft.PowerShell.Commands.Internal.Format.OutOfBandFormatViewManager Microsoft.PowerShell.Commands.Internal.Format.FormatErrorManager Microsoft.PowerShell.Commands.Internal.Format.DisplayCells Microsoft.PowerShell.Commands.Internal.Format.LineOutput Microsoft.PowerShell.Commands.Internal.Format.WriteLineHelper Microsoft.PowerShell.Commands.Internal.Format.TextWriterLineOutput Microsoft.PowerShell.Commands.Internal.Format.StreamingTextWriter Microsoft.PowerShell.Commands.Internal.Format.ListWriter Microsoft.PowerShell.Commands.Internal.Format.OutputManagerInner Microsoft.PowerShell.Commands.Internal.Format.SubPipelineManager Microsoft.PowerShell.Commands.Internal.Format.OutputGroupQueue Microsoft.PowerShell.Commands.Internal.Format.FormattedObjectsCache Microsoft.PowerShell.Commands.Internal.Format.TableWriter Microsoft.PowerShell.Commands.Internal.Format.PSObjectHelper Microsoft.PowerShell.Commands.Internal.Format.FormattingError Microsoft.PowerShell.Commands.Internal.Format.PSPropertyExpressionError Microsoft.PowerShell.Commands.Internal.Format.StringFormatError Microsoft.PowerShell.Commands.Internal.Format.CreateScriptBlockFromString Microsoft.PowerShell.Commands.Internal.Format.PSPropertyExpressionFactory Microsoft.PowerShell.Commands.Internal.Format.MshParameter Microsoft.PowerShell.Commands.Internal.Format.NameEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.HashtableEntryDefinition Microsoft.PowerShell.Commands.Internal.Format.CommandParameterDefinition Microsoft.PowerShell.Commands.Internal.Format.ParameterProcessor Microsoft.PowerShell.Commands.Internal.Format.MshResolvedExpressionParameterAssociation Microsoft.PowerShell.Commands.Internal.Format.AssociationManager Microsoft.PowerShell.Commands.Internal.Format.DisplayCellsHost Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput Microsoft.PowerShell.Cim.CimInstanceAdapter Microsoft.PowerShell.Cmdletization.EnumWriter Microsoft.PowerShell.Cmdletization.MethodInvocationInfo Microsoft.PowerShell.Cmdletization.MethodParameterBindings Microsoft.PowerShell.Cmdletization.MethodParameter Microsoft.PowerShell.Cmdletization.MethodParametersCollection Microsoft.PowerShell.Cmdletization.CmdletAdapter`1[TObjectInstance] Microsoft.PowerShell.Cmdletization.BehaviorOnNoMatch Microsoft.PowerShell.Cmdletization.QueryBuilder Microsoft.PowerShell.Cmdletization.ScriptWriter Microsoft.PowerShell.Cmdletization.Xml.PowerShellMetadata Microsoft.PowerShell.Cmdletization.Xml.ClassMetadata Microsoft.PowerShell.Cmdletization.Xml.ClassMetadataInstanceCmdlets Microsoft.PowerShell.Cmdletization.Xml.GetCmdletParameters Microsoft.PowerShell.Cmdletization.Xml.PropertyMetadata Microsoft.PowerShell.Cmdletization.Xml.TypeMetadata Microsoft.PowerShell.Cmdletization.Xml.Association Microsoft.PowerShell.Cmdletization.Xml.AssociationAssociatedInstance Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForGetCmdletFilteringParameter Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForGetCmdletParameter Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateCount Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateLength Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataValidateRange Microsoft.PowerShell.Cmdletization.Xml.ObsoleteAttributeMetadata Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForInstanceMethodParameter Microsoft.PowerShell.Cmdletization.Xml.CmdletParameterMetadataForStaticMethodParameter Microsoft.PowerShell.Cmdletization.Xml.QueryOption Microsoft.PowerShell.Cmdletization.Xml.GetCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.ConfirmImpact Microsoft.PowerShell.Cmdletization.Xml.StaticCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.StaticCmdletMetadataCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.StaticMethodMetadata Microsoft.PowerShell.Cmdletization.Xml.StaticMethodParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.CmdletOutputMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonMethodParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.InstanceMethodParameterMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonMethodMetadata Microsoft.PowerShell.Cmdletization.Xml.CommonMethodMetadataReturnValue Microsoft.PowerShell.Cmdletization.Xml.InstanceMethodMetadata Microsoft.PowerShell.Cmdletization.Xml.InstanceCmdletMetadata Microsoft.PowerShell.Cmdletization.Xml.PropertyQuery Microsoft.PowerShell.Cmdletization.Xml.WildcardablePropertyQuery Microsoft.PowerShell.Cmdletization.Xml.ItemsChoiceType Microsoft.PowerShell.Cmdletization.Xml.ClassMetadataData Microsoft.PowerShell.Cmdletization.Xml.EnumMetadataEnum Microsoft.PowerShell.Cmdletization.Xml.EnumMetadataEnumValue Microsoft.PowerShell.Cmdletization.Xml.XmlSerializationReader1 Microsoft.PowerShell.Cmdletization.Xml.PowerShellMetadataSerializer Microsoft.PowerShell.Cmdletization.Cim.WildcardPatternToCimQueryParser Interop+Windows System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0+RunnerFactory System.Management.Automation.PowerShellAssemblyLoadContext+<>O System.Management.Automation.Platform+CommonEnvVariableNames System.Management.Automation.Platform+Unix System.Management.Automation.Platform+<>c System.Management.Automation.AsyncByteStreamTransfer+d__11 System.Management.Automation.ValidateRangeAttribute+d__19 System.Management.Automation.ValidateSetAttribute+<>c System.Management.Automation.NativeCommandProcessorBytePipe+d__3 System.Management.Automation.Cmdlet+<>c System.Management.Automation.Cmdlet+d__40 System.Management.Automation.Cmdlet+d__41`1[T] System.Management.Automation.CmdletParameterBinderController+CurrentlyBinding System.Management.Automation.CmdletParameterBinderController+DelayedScriptBlockArgument System.Management.Automation.CmdletParameterBinderController+<>c System.Management.Automation.CompletionAnalysis+AstAnalysisContext System.Management.Automation.CompletionAnalysis+<>c System.Management.Automation.CompletionAnalysis+<>c__DisplayClass13_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass19_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass22_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass34_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass36_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass39_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass42_0 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass42_1 System.Management.Automation.CompletionAnalysis+<>c__DisplayClass43_0 System.Management.Automation.CompletionCompleters+FindFunctionsVisitor System.Management.Automation.CompletionCompleters+ArgumentLocation System.Management.Automation.CompletionCompleters+SHARE_INFO_1 System.Management.Automation.CompletionCompleters+VariableInfo System.Management.Automation.CompletionCompleters+FindVariablesVisitor System.Management.Automation.CompletionCompleters+TypeCompletionBase System.Management.Automation.CompletionCompleters+TypeCompletionInStringFormat System.Management.Automation.CompletionCompleters+GenericTypeCompletionInStringFormat System.Management.Automation.CompletionCompleters+TypeCompletion System.Management.Automation.CompletionCompleters+GenericTypeCompletion System.Management.Automation.CompletionCompleters+NamespaceCompletion System.Management.Automation.CompletionCompleters+TypeCompletionMapping System.Management.Automation.CompletionCompleters+ItemPathComparer System.Management.Automation.CompletionCompleters+CommandNameComparer System.Management.Automation.CompletionCompleters+<>O System.Management.Automation.CompletionCompleters+<>c System.Management.Automation.CompletionCompleters+<>c__DisplayClass109_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass122_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass136_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass139_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass13_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass141_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass142_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass144_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass145_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass145_1 System.Management.Automation.CompletionCompleters+<>c__DisplayClass147_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass15_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass20_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass20_1 System.Management.Automation.CompletionCompleters+<>c__DisplayClass22_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass34_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass40_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass5_0 System.Management.Automation.CompletionCompleters+<>c__DisplayClass5_1 System.Management.Automation.CompletionCompleters+<>c__DisplayClass63_0 System.Management.Automation.CompletionCompleters+<>o__10 System.Management.Automation.CompletionCompleters+<>o__45 System.Management.Automation.CompletionCompleters+<>o__46 System.Management.Automation.CompletionCompleters+<>o__47 System.Management.Automation.CompletionCompleters+<>o__49 System.Management.Automation.CompletionCompleters+<>o__50 System.Management.Automation.CompletionCompleters+<>o__51 System.Management.Automation.CompletionCompleters+<>o__52 System.Management.Automation.CompletionCompleters+<>o__53 System.Management.Automation.CompletionCompleters+<>o__54 System.Management.Automation.CompletionCompleters+<>o__55 System.Management.Automation.CompletionCompleters+<>o__75 System.Management.Automation.CompletionCompleters+<>o__76 System.Management.Automation.CompletionCompleters+<>o__88 System.Management.Automation.CompletionCompleters+d__23 System.Management.Automation.PropertyNameCompleter+<>O System.Management.Automation.PropertyNameCompleter+<>c System.Management.Automation.ArgumentCompleterAttribute+<>c System.Management.Automation.ArgumentCompletionsAttribute+d__2 System.Management.Automation.ScopeArgumentCompleter+d__1 System.Management.Automation.CommandDiscovery+d__52 System.Management.Automation.CommandInfo+GetMergedCommandParameterMetadataSafelyEventArgs System.Management.Automation.PSSyntheticTypeName+<>c System.Management.Automation.CommandParameterInternal+Parameter System.Management.Automation.CommandParameterInternal+Argument System.Management.Automation.CommandPathSearch+<>O System.Management.Automation.CommandProcessor+<>c System.Management.Automation.CommandSearcher+CanDoPathLookupResult System.Management.Automation.CommandSearcher+SearchState System.Management.Automation.CompiledCommandParameter+d__78 System.Management.Automation.ParameterCollectionTypeInformation+<>c System.Management.Automation.ComAdapter+d__3 System.Management.Automation.ComInvoker+EXCEPINFO System.Management.Automation.ComInvoker+Variant System.Management.Automation.ComInvoker+<>c System.Management.Automation.Adapter+OverloadCandidate System.Management.Automation.Adapter+<>O System.Management.Automation.Adapter+<>c System.Management.Automation.Adapter+<>c__DisplayClass54_0 System.Management.Automation.Adapter+d__2 System.Management.Automation.MethodInformation+MethodInvoker System.Management.Automation.DotNetAdapter+MethodCacheEntry System.Management.Automation.DotNetAdapter+EventCacheEntry System.Management.Automation.DotNetAdapter+ParameterizedPropertyCacheEntry System.Management.Automation.DotNetAdapter+PropertyCacheEntry System.Management.Automation.DotNetAdapter+<>c System.Management.Automation.DotNetAdapter+d__29 System.Management.Automation.DotNetAdapterWithComTypeName+d__2 System.Management.Automation.PSMemberSetAdapter+d__0 System.Management.Automation.XmlNodeAdapter+d__0 System.Management.Automation.TypeInference+<>c System.Management.Automation.TypeInference+<>c__DisplayClass6_0 System.Management.Automation.TypeInference+<>c__DisplayClass6_1 System.Management.Automation.Breakpoint+BreakpointAction System.Management.Automation.LineBreakpoint+CheckBreakpointInScript System.Management.Automation.ScriptDebugger+CallStackInfo System.Management.Automation.ScriptDebugger+CallStackList System.Management.Automation.ScriptDebugger+SteppingMode System.Management.Automation.ScriptDebugger+InternalDebugMode System.Management.Automation.ScriptDebugger+EnableNestedType System.Management.Automation.ScriptDebugger+<>c System.Management.Automation.ScriptDebugger+<>c__DisplayClass103_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass19_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass26_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass35_0 System.Management.Automation.ScriptDebugger+<>c__DisplayClass38_0 System.Management.Automation.ScriptDebugger+d__106 System.Management.Automation.EmbeddedRunspaceDebugger+<>c__DisplayClass10_0 System.Management.Automation.EmbeddedRunspaceDebugger+<>c__DisplayClass10_1 System.Management.Automation.DscResourceSearcher+<>o__15 System.Management.Automation.FlagsExpression`1+TokenKind[T] System.Management.Automation.FlagsExpression`1+Token[T] System.Management.Automation.FlagsExpression`1+Node[T] System.Management.Automation.FlagsExpression`1+OrNode[T] System.Management.Automation.FlagsExpression`1+AndNode[T] System.Management.Automation.FlagsExpression`1+NotNode[T] System.Management.Automation.FlagsExpression`1+OperandNode[T] System.Management.Automation.ErrorRecord+<>c System.Management.Automation.PSLocalEventManager+<>c__DisplayClass32_0 System.Management.Automation.ExecutionContext+SavedContextData System.Management.Automation.ExecutionContext+<>c System.Management.Automation.ExperimentalFeature+<>c System.Management.Automation.InformationalRecord+<>c System.Management.Automation.PowerShell+Worker System.Management.Automation.InvocationInfo+<>c System.Management.Automation.RemoteCommandInfo+<>c__DisplayClass4_0 System.Management.Automation.LanguagePrimitives+MemberNotFoundError System.Management.Automation.LanguagePrimitives+MemberSetValueError System.Management.Automation.LanguagePrimitives+EnumerableTWrapper System.Management.Automation.LanguagePrimitives+GetEnumerableDelegate System.Management.Automation.LanguagePrimitives+TypeCodeTraits System.Management.Automation.LanguagePrimitives+EnumMultipleTypeConverter System.Management.Automation.LanguagePrimitives+EnumSingleTypeConverter System.Management.Automation.LanguagePrimitives+PSMethodToDelegateConverter System.Management.Automation.LanguagePrimitives+ConvertViaParseMethod System.Management.Automation.LanguagePrimitives+ConvertViaConstructor System.Management.Automation.LanguagePrimitives+ConvertViaIEnumerableConstructor System.Management.Automation.LanguagePrimitives+ConvertViaNoArgumentConstructor System.Management.Automation.LanguagePrimitives+ConvertViaCast System.Management.Automation.LanguagePrimitives+ConvertCheckingForCustomConverter System.Management.Automation.LanguagePrimitives+ConversionTypePair System.Management.Automation.LanguagePrimitives+PSConverter`1[T] System.Management.Automation.LanguagePrimitives+PSNullConverter System.Management.Automation.LanguagePrimitives+IConversionData System.Management.Automation.LanguagePrimitives+ConversionData`1[T] System.Management.Automation.LanguagePrimitives+SignatureComparator System.Management.Automation.LanguagePrimitives+InternalPSCustomObject System.Management.Automation.LanguagePrimitives+InternalPSObject System.Management.Automation.LanguagePrimitives+Null System.Management.Automation.LanguagePrimitives+<>O System.Management.Automation.ParserOps+SplitImplOptions System.Management.Automation.ParserOps+ReplaceOperatorImpl System.Management.Automation.ParserOps+CompareDelegate System.Management.Automation.ParserOps+<>c System.Management.Automation.ParserOps+d__17 System.Management.Automation.ScriptBlock+ErrorHandlingBehavior System.Management.Automation.ScriptBlock+SuspiciousContentChecker System.Management.Automation.ScriptBlock+<>c System.Management.Automation.BaseWMIAdapter+WMIMethodCacheEntry System.Management.Automation.BaseWMIAdapter+WMIParameterInformation System.Management.Automation.BaseWMIAdapter+d__3 System.Management.Automation.BaseWMIAdapter+d__2 System.Management.Automation.MinishellParameterBinderController+MinishellParameters System.Management.Automation.AnalysisCache+<>c System.Management.Automation.AnalysisCacheData+<b__11_0>d System.Management.Automation.AnalysisCacheData+<>c__DisplayClass24_0 System.Management.Automation.ModuleIntrinsics+PSModulePathScope System.Management.Automation.ModuleIntrinsics+<>c System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass59_0`1[T] System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass60_0 System.Management.Automation.ModuleIntrinsics+<>c__DisplayClass60_1 System.Management.Automation.ModuleIntrinsics+d__57 System.Management.Automation.PSModuleInfo+<>c System.Management.Automation.PSModuleInfo+<>c__DisplayClass277_0 System.Management.Automation.RemoteDiscoveryHelper+CimFileCode System.Management.Automation.RemoteDiscoveryHelper+CimModuleFile System.Management.Automation.RemoteDiscoveryHelper+CimModule System.Management.Automation.RemoteDiscoveryHelper+<>c System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass14_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass23_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass24_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass2_0`1[T] System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_1 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_2 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_3 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_4 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_5 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass4_6 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass5_0 System.Management.Automation.RemoteDiscoveryHelper+<>c__DisplayClass6_0 System.Management.Automation.RemoteDiscoveryHelper+d__12`1[T] System.Management.Automation.RemoteDiscoveryHelper+d__23 System.Management.Automation.RemoteDiscoveryHelper+d__5 System.Management.Automation.RemoteDiscoveryHelper+d__4 System.Management.Automation.ExportVisitor+ParameterBindingInfo System.Management.Automation.ExportVisitor+ParameterInfo System.Management.Automation.ExportVisitor+<>c__DisplayClass44_0 System.Management.Automation.CommandInvocationIntrinsics+d__34 System.Management.Automation.MshCommandRuntime+ShouldProcessPossibleOptimization System.Management.Automation.MshCommandRuntime+MergeDataStream System.Management.Automation.MshCommandRuntime+AllowWrite System.Management.Automation.MshCommandRuntime+ContinueStatus System.Management.Automation.PSMemberSet+<>O System.Management.Automation.CollectionEntry`1+GetMembersDelegate[T] System.Management.Automation.CollectionEntry`1+GetMemberDelegate[T] System.Management.Automation.CollectionEntry`1+GetFirstOrDefaultDelegate[T] System.Management.Automation.PSMemberInfoIntegratingCollection`1+Enumerator[T] System.Management.Automation.PSObject+AdapterSet System.Management.Automation.PSObject+PSDynamicMetaObject System.Management.Automation.PSObject+PSObjectFlags System.Management.Automation.PSObject+<>O System.Management.Automation.PSObject+<>c System.Management.Automation.PSObject+<>c__DisplayClass102_0 System.Management.Automation.PSObject+<>c__DisplayClass15_0 System.Management.Automation.PSObject+<>c__DisplayClass18_0 System.Management.Automation.NativeCommandProcessor+ProcessWithParentId System.Management.Automation.NativeCommandProcessor+d__39 System.Management.Automation.CommandParameterSetInfo+<>c__DisplayClass11_0 System.Management.Automation.TypeInferenceContext+<>c System.Management.Automation.TypeInferenceContext+<>c__DisplayClass23_0 System.Management.Automation.TypeInferenceContext+<>c__DisplayClass24_0 System.Management.Automation.TypeInferenceVisitor+<>c System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass62_0 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass65_0 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass65_1 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass76_0 System.Management.Automation.TypeInferenceVisitor+<>c__DisplayClass9_0 System.Management.Automation.TypeInferenceVisitor+d__81 System.Management.Automation.TypeInferenceVisitor+d__80 System.Management.Automation.CoreTypes+<>c System.Management.Automation.PSVersionHashTable+PSVersionTableComparer System.Management.Automation.PSVersionHashTable+d__5 System.Management.Automation.SemanticVersion+ParseFailureKind System.Management.Automation.SemanticVersion+VersionResult System.Management.Automation.ReflectionParameterBinder+<>c System.Management.Automation.ReflectionParameterBinder+<>c__DisplayClass7_0 System.Management.Automation.ReflectionParameterBinder+<>c__DisplayClass8_0 System.Management.Automation.WildcardPattern+<>c System.Management.Automation.WildcardPattern+<>c__DisplayClass17_0 System.Management.Automation.WildcardPatternMatcher+PatternPositionsVisitor System.Management.Automation.WildcardPatternMatcher+PatternElement System.Management.Automation.WildcardPatternMatcher+QuestionMarkElement System.Management.Automation.WildcardPatternMatcher+LiteralCharacterElement System.Management.Automation.WildcardPatternMatcher+BracketExpressionElement System.Management.Automation.WildcardPatternMatcher+AsterixElement System.Management.Automation.WildcardPatternMatcher+MyWildcardPatternParser System.Management.Automation.WildcardPatternMatcher+CharacterNormalizer System.Management.Automation.Job+<>c__DisplayClass83_0 System.Management.Automation.Job+<>c__DisplayClass92_0 System.Management.Automation.Job+<>c__DisplayClass93_0 System.Management.Automation.Job+<>c__DisplayClass94_0 System.Management.Automation.Job+<>c__DisplayClass95_0 System.Management.Automation.Job+<>c__DisplayClass96_0`1[T] System.Management.Automation.PSRemotingJob+ConnectJobOperation System.Management.Automation.PSRemotingJob+<>c__DisplayClass12_0 System.Management.Automation.ContainerParentJob+<>c System.Management.Automation.ContainerParentJob+<>c__DisplayClass38_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass40_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass41_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass41_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass42_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass42_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass51_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass51_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass52_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass52_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass53_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass53_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass54_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass54_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass55_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass55_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass56_0 System.Management.Automation.ContainerParentJob+<>c__DisplayClass56_1 System.Management.Automation.ContainerParentJob+<>c__DisplayClass66_0 System.Management.Automation.JobManager+FilterType System.Management.Automation.JobInvocationInfo+<>c System.Management.Automation.RemotePipeline+ExecutionEventQueueItem System.Management.Automation.RemoteRunspace+RunspaceEventQueueItem System.Management.Automation.RemoteDebugger+<>c__DisplayClass22_0 System.Management.Automation.ThrottlingJob+ChildJobFlags System.Management.Automation.ThrottlingJob+ForwardingHelper System.Management.Automation.ThrottlingJob+<>c System.Management.Automation.RemotingEncoder+ValueGetterDelegate`1[T] System.Management.Automation.RemotingDecoder+d__4`2[TKey,TValue] System.Management.Automation.RemotingDecoder+d__3`1[T] System.Management.Automation.ServerPowerShellDriver+<>c__DisplayClass11_0 System.Management.Automation.ServerPowerShellDriver+<>c__DisplayClass33_0 System.Management.Automation.ServerRunspacePoolDriver+PreProcessCommandResult System.Management.Automation.ServerRunspacePoolDriver+DebuggerCommandArgument System.Management.Automation.ServerRunspacePoolDriver+PowerShellDriverInvoker System.Management.Automation.ServerRunspacePoolDriver+<>c System.Management.Automation.ServerRemoteDebugger+ThreadCommandProcessing System.Management.Automation.CompiledScriptBlockData+<>c System.Management.Automation.CompiledScriptBlockData+<>c__DisplayClass7_0 System.Management.Automation.MutableTuple+<>c System.Management.Automation.MutableTuple+d__28 System.Management.Automation.MutableTuple+d__27 System.Management.Automation.PipelineOps+<>c System.Management.Automation.PipelineOps+d__1 System.Management.Automation.ExceptionHandlingOps+CatchAll System.Management.Automation.ExceptionHandlingOps+HandlerSearchResult System.Management.Automation.TypeOps+<>c__DisplayClass0_0 System.Management.Automation.EnumerableOps+NonEnumerableObjectEnumerator System.Management.Automation.EnumerableOps+<>o__1 System.Management.Automation.EnumerableOps+<>o__6 System.Management.Automation.MemberInvocationLoggingOps+<>c System.Management.Automation.DecimalOps+<>O System.Management.Automation.StringOps+<>c System.Management.Automation.VariableOps+UsingResult System.Management.Automation.UsingExpressionAstSearcher+<>c System.Management.Automation.InternalSerializer+<>c System.Management.Automation.InternalDeserializer+PSDictionary System.Management.Automation.InternalDeserializer+<>c System.Management.Automation.WeakReferenceDictionary`1+WeakReferenceEqualityComparer[T] System.Management.Automation.WeakReferenceDictionary`1+d__30[T] System.Management.Automation.SessionStateInternal+d__68 System.Management.Automation.SessionStateInternal+d__222 System.Management.Automation.SessionStateScope+<>O System.Management.Automation.SessionStateScope+<>c__DisplayClass97_0 System.Management.Automation.SessionStateScope+d__95 System.Management.Automation.ParameterSetMetadata+ParameterFlags System.Management.Automation.Utils+MutexInitializer System.Management.Automation.Utils+EmptyReadOnlyCollectionHolder`1[T] System.Management.Automation.Utils+Separators System.Management.Automation.Utils+<>O System.Management.Automation.Utils+<>c System.Management.Automation.Utils+<>c__DisplayClass61_0`1[T] System.Management.Automation.Utils+<>c__DisplayClass81_0 System.Management.Automation.PSStyle+ForegroundColor System.Management.Automation.PSStyle+BackgroundColor System.Management.Automation.PSStyle+ProgressConfiguration System.Management.Automation.PSStyle+FormattingData System.Management.Automation.PSStyle+FileInfoFormatting System.Management.Automation.AliasHelpProvider+d__8 System.Management.Automation.AliasHelpProvider+d__9 System.Management.Automation.CommandHelpProvider+d__12 System.Management.Automation.CommandHelpProvider+d__30 System.Management.Automation.CommandHelpProvider+d__26 System.Management.Automation.DscResourceHelpProvider+d__9 System.Management.Automation.DscResourceHelpProvider+d__10 System.Management.Automation.DscResourceHelpProvider+d__8 System.Management.Automation.HelpCommentsParser+<>c System.Management.Automation.HelpErrorTracer+TraceFrame System.Management.Automation.HelpFileHelpProvider+<>c System.Management.Automation.HelpFileHelpProvider+d__5 System.Management.Automation.HelpFileHelpProvider+d__7 System.Management.Automation.HelpProvider+d__10 System.Management.Automation.HelpProviderWithCache+d__11 System.Management.Automation.HelpProviderWithCache+d__2 System.Management.Automation.HelpProviderWithCache+d__9 System.Management.Automation.HelpSystem+d__20 System.Management.Automation.HelpSystem+d__21 System.Management.Automation.HelpSystem+d__22 System.Management.Automation.HelpSystem+d__24 System.Management.Automation.ProviderHelpProvider+d__6 System.Management.Automation.ProviderHelpProvider+d__11 System.Management.Automation.ProviderHelpProvider+d__10 System.Management.Automation.PSClassHelpProvider+d__9 System.Management.Automation.PSClassHelpProvider+d__10 System.Management.Automation.PSClassHelpProvider+d__8 System.Management.Automation.LogProvider+Strings System.Management.Automation.MshLog+<>O System.Management.Automation.MshLog+<>c__DisplayClass19_0 System.Management.Automation.MshLog+<>c__DisplayClass20_0 System.Management.Automation.MshLog+<>c__DisplayClass9_0 System.Management.Automation.CatalogHelper+<>O System.Management.Automation.AmsiUtils+AmsiNativeMethods System.Management.Automation.AmsiUtils+<>O System.Management.Automation.PSSnapInReader+DefaultPSSnapInInformation System.Management.Automation.ClrFacade+d__3 System.Management.Automation.EnumerableExtensions+d__0`1[T] System.Management.Automation.PSTypeExtensions+<>c__7`1[T] System.Management.Automation.ParseException+<>c System.Management.Automation.PlatformInvokes+FILETIME System.Management.Automation.PlatformInvokes+FileDesiredAccess System.Management.Automation.PlatformInvokes+FileShareMode System.Management.Automation.PlatformInvokes+FileCreationDisposition System.Management.Automation.PlatformInvokes+FileAttributes System.Management.Automation.PlatformInvokes+SecurityAttributes System.Management.Automation.PlatformInvokes+SafeLocalMemHandle System.Management.Automation.PlatformInvokes+TOKEN_PRIVILEGE System.Management.Automation.PlatformInvokes+LUID System.Management.Automation.PlatformInvokes+LUID_AND_ATTRIBUTES System.Management.Automation.PlatformInvokes+PRIVILEGE_SET System.Management.Automation.PlatformInvokes+PROCESS_INFORMATION System.Management.Automation.PlatformInvokes+STARTUPINFO System.Management.Automation.PlatformInvokes+SECURITY_ATTRIBUTES System.Management.Automation.Verbs+VerbArgumentCompleter System.Management.Automation.Verbs+d__4 System.Management.Automation.Verbs+d__5 System.Management.Automation.Verbs+d__6 System.Management.Automation.VTUtility+VT System.Management.Automation.Tracing.EtwActivity+CorrelatedCallback System.Management.Automation.Tracing.PSEtwLog+<>c__DisplayClass6_0 System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ATTR_BLOB System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ALGORITHM_IDENTIFIER System.Management.Automation.Win32Native.WinTrustMethods+CRYPT_ATTRIBUTE_TYPE_VALUE System.Management.Automation.Win32Native.WinTrustMethods+SIP_INDIRECT_DATA System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATMEMBER System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATATTRIBUTE System.Management.Automation.Win32Native.WinTrustMethods+CRYPTCATSTORE System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_DATA System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_FILE_INFO System.Management.Automation.Win32Native.WinTrustMethods+WINTRUST_BLOB_INFO System.Management.Automation.Win32Native.WinTrustMethods+CryptCATCDFParseErrorCallBack System.Management.Automation.Security.NativeMethods+CertEnumSystemStoreCallBackProto System.Management.Automation.Security.NativeMethods+CertFindType System.Management.Automation.Security.NativeMethods+CertStoreFlags System.Management.Automation.Security.NativeMethods+CertOpenStoreFlags System.Management.Automation.Security.NativeMethods+CertOpenStoreProvider System.Management.Automation.Security.NativeMethods+CertOpenStoreEncodingType System.Management.Automation.Security.NativeMethods+CertControlStoreType System.Management.Automation.Security.NativeMethods+AddCertificateContext System.Management.Automation.Security.NativeMethods+CertPropertyId System.Management.Automation.Security.NativeMethods+NCryptDeletKeyFlag System.Management.Automation.Security.NativeMethods+ProviderFlagsEnum System.Management.Automation.Security.NativeMethods+ProviderParam System.Management.Automation.Security.NativeMethods+PROV System.Management.Automation.Security.NativeMethods+CRYPT_KEY_PROV_INFO System.Management.Automation.Security.NativeMethods+CryptUIFlags System.Management.Automation.Security.NativeMethods+CRYPTUI_WIZ_DIGITAL_SIGN_INFO System.Management.Automation.Security.NativeMethods+SignInfoSubjectChoice System.Management.Automation.Security.NativeMethods+SignInfoCertChoice System.Management.Automation.Security.NativeMethods+SignInfoAdditionalCertChoice System.Management.Automation.Security.NativeMethods+CRYPTUI_WIZ_DIGITAL_SIGN_EXTENDED_INFO System.Management.Automation.Security.NativeMethods+CRYPT_OID_INFO System.Management.Automation.Security.NativeMethods+Anonymous_a3ae7823_8a1d_432c_bc07_a72b6fc6c7d8 System.Management.Automation.Security.NativeMethods+CRYPT_ATTR_BLOB System.Management.Automation.Security.NativeMethods+CRYPT_DATA_BLOB System.Management.Automation.Security.NativeMethods+CERT_CONTEXT System.Management.Automation.Security.NativeMethods+CRYPT_PROVIDER_CERT System.Management.Automation.Security.NativeMethods+CRYPT_PROVIDER_SGNR System.Management.Automation.Security.NativeMethods+CERT_ENHKEY_USAGE System.Management.Automation.Security.NativeMethods+SIGNATURE_STATE System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_FLAGS System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_AVAILABILITY System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO_TYPE System.Management.Automation.Security.NativeMethods+SIGNATURE_INFO System.Management.Automation.Security.NativeMethods+CERT_INFO System.Management.Automation.Security.NativeMethods+CRYPT_ALGORITHM_IDENTIFIER System.Management.Automation.Security.NativeMethods+FILETIME System.Management.Automation.Security.NativeMethods+CERT_PUBLIC_KEY_INFO System.Management.Automation.Security.NativeMethods+CRYPT_BIT_BLOB System.Management.Automation.Security.NativeMethods+CERT_EXTENSION System.Management.Automation.Security.NativeMethods+AltNameType System.Management.Automation.Security.NativeMethods+CryptDecodeFlags System.Management.Automation.Security.NativeMethods+SeObjectType System.Management.Automation.Security.NativeMethods+SecurityInformation System.Management.Automation.Security.NativeMethods+LUID System.Management.Automation.Security.NativeMethods+LUID_AND_ATTRIBUTES System.Management.Automation.Security.NativeMethods+TOKEN_PRIVILEGE System.Management.Automation.Security.NativeMethods+ACL System.Management.Automation.Security.NativeMethods+ACE_HEADER System.Management.Automation.Security.NativeMethods+SYSTEM_AUDIT_ACE System.Management.Automation.Security.NativeMethods+LSA_UNICODE_STRING System.Management.Automation.Security.NativeMethods+CENTRAL_ACCESS_POLICY System.Management.Automation.Security.SystemPolicy+WldpNativeConstants System.Management.Automation.Security.SystemPolicy+WLDP_HOST_ID System.Management.Automation.Security.SystemPolicy+WLDP_HOST_INFORMATION System.Management.Automation.Security.SystemPolicy+WLDP_EXECUTION_EVALUATION_OPTIONS System.Management.Automation.Security.SystemPolicy+WLDP_EXECUTION_POLICY System.Management.Automation.Security.SystemPolicy+WldpNativeMethods System.Management.Automation.Help.DefaultCommandHelpObjectBuilder+<>c System.Management.Automation.Help.CultureSpecificUpdatableHelp+<>c__DisplayClass10_0 System.Management.Automation.Help.CultureSpecificUpdatableHelp+d__9 System.Management.Automation.Help.UpdatableHelpInfo+<>c__DisplayClass11_0 System.Management.Automation.Subsystem.SubsystemInfo+ImplementationInfo System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass1_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass2_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass3_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass4_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+<>c__DisplayClass5_0 System.Management.Automation.Subsystem.Prediction.CommandPrediction+d__1 System.Management.Automation.Subsystem.Feedback.FeedbackHub+<>c__DisplayClass7_0 System.Management.Automation.Remoting.ClientMethodExecutor+<>c__DisplayClass10_0 System.Management.Automation.Remoting.ClientRemoteSession+URIDirectionReported System.Management.Automation.Remoting.SerializedDataStream+OnDataAvailableCallback System.Management.Automation.Remoting.NamedPipeNative+SECURITY_ATTRIBUTES System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>O System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>c System.Management.Automation.Remoting.RemoteSessionNamedPipeServer+<>c__DisplayClass52_0 System.Management.Automation.Remoting.ConfigTypeEntry+TypeValidationCallback System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c__DisplayClass22_0`1[T] System.Management.Automation.Remoting.DISCPowerShellConfiguration+<>c__DisplayClass22_1`1[T] System.Management.Automation.Remoting.OutOfProcessUtils+DataPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+DataAckPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+CommandCreationPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+CommandCreationAckReceived System.Management.Automation.Remoting.OutOfProcessUtils+ClosePacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+CloseAckPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+SignalPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+SignalAckPacketReceived System.Management.Automation.Remoting.OutOfProcessUtils+DataProcessingDelegates System.Management.Automation.Remoting.PrioritySendDataCollection+OnDataAvailableCallback System.Management.Automation.Remoting.ReceiveDataCollection+OnDataAvailableCallback System.Management.Automation.Remoting.WSManPluginEntryDelegates+WSManPluginEntryDelegatesInternal System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper+InitPluginDelegate System.Management.Automation.Remoting.ServerRemoteSession+<>c__DisplayClass32_0 System.Management.Automation.Remoting.Server.AbstractServerTransportManager+<>c__DisplayClass14_0 System.Management.Automation.Remoting.Client.BaseClientTransportManager+CallbackNotificationInformation System.Management.Automation.Remoting.Client.WSManNativeApi+MarshalledObject System.Management.Automation.Remoting.Client.WSManNativeApi+WSManAuthenticationMechanism System.Management.Automation.Remoting.Client.WSManNativeApi+BaseWSManAuthenticationCredentials System.Management.Automation.Remoting.Client.WSManNativeApi+WSManUserNameAuthenticationCredentials System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateThumbprintCredentials System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSessionOption System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellFlag System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataType System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManBinaryOrTextDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManData_ManToUn System.Management.Automation.Remoting.Client.WSManNativeApi+WSManData_UnToMan System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataDWord System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSetStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSet_ManToUn System.Management.Automation.Remoting.Client.WSManNativeApi+WSManStreamIDSet_UnToMan System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOption System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOptionSetStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOptionSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCommandArgSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellDisconnectInfo System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfoStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfo_ManToUn System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellStartupInfo_UnToMan System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManProxyInfo System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCallbackFlags System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellCompletionFunction System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsyncCallback System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsync System.Management.Automation.Remoting.Client.WSManNativeApi+WSManError System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult System.Management.Automation.Remoting.Client.WSManNativeApi+WSManPluginRequest System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSenderDetails System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateDetails System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet System.Management.Automation.Remoting.Client.WSManNativeApi+WSManFlagReceive System.Management.Automation.Remoting.Client.WSManTransportManagerUtils+tmStartModes System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+CompletionNotification System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+CompletionEventArgs System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+WSManAPIDataCommon System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+<>c System.Management.Automation.Remoting.Client.WSManClientSessionTransportManager+<>c__DisplayClass98_0 System.Management.Automation.Remoting.Client.WSManClientCommandTransportManager+SendDataChunk System.Management.Automation.Interpreter.AddInstruction+AddInt32 System.Management.Automation.Interpreter.AddInstruction+AddInt16 System.Management.Automation.Interpreter.AddInstruction+AddInt64 System.Management.Automation.Interpreter.AddInstruction+AddUInt16 System.Management.Automation.Interpreter.AddInstruction+AddUInt32 System.Management.Automation.Interpreter.AddInstruction+AddUInt64 System.Management.Automation.Interpreter.AddInstruction+AddSingle System.Management.Automation.Interpreter.AddInstruction+AddDouble System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt32 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt16 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfInt64 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt16 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt32 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfUInt64 System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfSingle System.Management.Automation.Interpreter.AddOvfInstruction+AddOvfDouble System.Management.Automation.Interpreter.DivInstruction+DivInt32 System.Management.Automation.Interpreter.DivInstruction+DivInt16 System.Management.Automation.Interpreter.DivInstruction+DivInt64 System.Management.Automation.Interpreter.DivInstruction+DivUInt16 System.Management.Automation.Interpreter.DivInstruction+DivUInt32 System.Management.Automation.Interpreter.DivInstruction+DivUInt64 System.Management.Automation.Interpreter.DivInstruction+DivSingle System.Management.Automation.Interpreter.DivInstruction+DivDouble System.Management.Automation.Interpreter.EqualInstruction+EqualBoolean System.Management.Automation.Interpreter.EqualInstruction+EqualSByte System.Management.Automation.Interpreter.EqualInstruction+EqualInt16 System.Management.Automation.Interpreter.EqualInstruction+EqualChar System.Management.Automation.Interpreter.EqualInstruction+EqualInt32 System.Management.Automation.Interpreter.EqualInstruction+EqualInt64 System.Management.Automation.Interpreter.EqualInstruction+EqualByte System.Management.Automation.Interpreter.EqualInstruction+EqualUInt16 System.Management.Automation.Interpreter.EqualInstruction+EqualUInt32 System.Management.Automation.Interpreter.EqualInstruction+EqualUInt64 System.Management.Automation.Interpreter.EqualInstruction+EqualSingle System.Management.Automation.Interpreter.EqualInstruction+EqualDouble System.Management.Automation.Interpreter.EqualInstruction+EqualReference System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanSByte System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt16 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanChar System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt32 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanInt64 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanByte System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt16 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt32 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanUInt64 System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanSingle System.Management.Automation.Interpreter.GreaterThanInstruction+GreaterThanDouble System.Management.Automation.Interpreter.InstructionFactory+<>c System.Management.Automation.Interpreter.InstructionArray+DebugView System.Management.Automation.Interpreter.InstructionList+DebugView System.Management.Automation.Interpreter.InterpretedFrame+d__30 System.Management.Automation.Interpreter.InterpretedFrame+d__29 System.Management.Automation.Interpreter.LabelInfo+<>c System.Management.Automation.Interpreter.LessThanInstruction+LessThanSByte System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt16 System.Management.Automation.Interpreter.LessThanInstruction+LessThanChar System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt32 System.Management.Automation.Interpreter.LessThanInstruction+LessThanInt64 System.Management.Automation.Interpreter.LessThanInstruction+LessThanByte System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt16 System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt32 System.Management.Automation.Interpreter.LessThanInstruction+LessThanUInt64 System.Management.Automation.Interpreter.LessThanInstruction+LessThanSingle System.Management.Automation.Interpreter.LessThanInstruction+LessThanDouble System.Management.Automation.Interpreter.TryCatchFinallyHandler+<>c__DisplayClass13_0 System.Management.Automation.Interpreter.DebugInfo+DebugInfoComparer System.Management.Automation.Interpreter.LightCompiler+<>c System.Management.Automation.Interpreter.LightDelegateCreator+<>c System.Management.Automation.Interpreter.LightLambda+<>c__DisplayClass11_0 System.Management.Automation.Interpreter.LightLambdaClosureVisitor+MergedRuntimeVariables System.Management.Automation.Interpreter.LightLambdaClosureVisitor+<>O System.Management.Automation.Interpreter.InitializeLocalInstruction+Reference System.Management.Automation.Interpreter.InitializeLocalInstruction+ImmutableValue System.Management.Automation.Interpreter.InitializeLocalInstruction+ImmutableBox System.Management.Automation.Interpreter.InitializeLocalInstruction+ParameterBox System.Management.Automation.Interpreter.InitializeLocalInstruction+Parameter System.Management.Automation.Interpreter.InitializeLocalInstruction+MutableValue System.Management.Automation.Interpreter.InitializeLocalInstruction+MutableBox System.Management.Automation.Interpreter.LocalVariables+VariableScope System.Management.Automation.Interpreter.LoopCompiler+LoopVariable System.Management.Automation.Interpreter.MulInstruction+MulInt32 System.Management.Automation.Interpreter.MulInstruction+MulInt16 System.Management.Automation.Interpreter.MulInstruction+MulInt64 System.Management.Automation.Interpreter.MulInstruction+MulUInt16 System.Management.Automation.Interpreter.MulInstruction+MulUInt32 System.Management.Automation.Interpreter.MulInstruction+MulUInt64 System.Management.Automation.Interpreter.MulInstruction+MulSingle System.Management.Automation.Interpreter.MulInstruction+MulDouble System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt32 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt16 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfInt64 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt16 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt32 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfUInt64 System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfSingle System.Management.Automation.Interpreter.MulOvfInstruction+MulOvfDouble System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualBoolean System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualSByte System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt16 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualChar System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt32 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualInt64 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualByte System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt16 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt32 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualUInt64 System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualSingle System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualDouble System.Management.Automation.Interpreter.NotEqualInstruction+NotEqualReference System.Management.Automation.Interpreter.NumericConvertInstruction+Unchecked System.Management.Automation.Interpreter.NumericConvertInstruction+Checked System.Management.Automation.Interpreter.SubInstruction+SubInt32 System.Management.Automation.Interpreter.SubInstruction+SubInt16 System.Management.Automation.Interpreter.SubInstruction+SubInt64 System.Management.Automation.Interpreter.SubInstruction+SubUInt16 System.Management.Automation.Interpreter.SubInstruction+SubUInt32 System.Management.Automation.Interpreter.SubInstruction+SubUInt64 System.Management.Automation.Interpreter.SubInstruction+SubSingle System.Management.Automation.Interpreter.SubInstruction+SubDouble System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt32 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt16 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfInt64 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt16 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt32 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfUInt64 System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfSingle System.Management.Automation.Interpreter.SubOvfInstruction+SubOvfDouble System.Management.Automation.Interpreter.DelegateHelpers+<>c System.Management.Automation.Interpreter.HybridReferenceDictionary`2+d__12[TKey,TValue] System.Management.Automation.Interpreter.CacheDict`2+KeyInfo[TKey,TValue] System.Management.Automation.Interpreter.ThreadLocal`1+StorageInfo[T] System.Management.Automation.Host.PSHostUserInterface+FormatStyle System.Management.Automation.Host.PSHostUserInterface+TranscribeOnlyCookie System.Management.Automation.Host.PSHostUserInterface+<>c System.Management.Automation.Host.PSHostUserInterface+<>c__DisplayClass45_0 System.Management.Automation.Runspaces.Command+MergeType System.Management.Automation.Runspaces.RunspaceBase+RunspaceEventQueueItem System.Management.Automation.Runspaces.RunspaceBase+<>c System.Management.Automation.Runspaces.LocalRunspace+DebugPreference System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass55_0 System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass56_0 System.Management.Automation.Runspaces.LocalRunspace+<>c__DisplayClass56_1 System.Management.Automation.Runspaces.PipelineBase+ExecutionEventQueueItem System.Management.Automation.Runspaces.EarlyStartup+<>c System.Management.Automation.Runspaces.InitialSessionState+<>c System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass0_0`1[T] System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass129_0 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass129_1 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass137_0 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass154_0 System.Management.Automation.Runspaces.InitialSessionState+<>c__DisplayClass1_0`1[T] System.Management.Automation.Runspaces.InitialSessionState+d__147 System.Management.Automation.Runspaces.PSSnapInHelpers+<>c System.Management.Automation.Runspaces.ContainerProcess+HCS_PROCESS_INFORMATION System.Management.Automation.Runspaces.TypesPs1xmlReader+<>c System.Management.Automation.Runspaces.TypesPs1xmlReader+d__20 System.Management.Automation.Runspaces.ConsolidatedString+ConsolidatedStringEqualityComparer System.Management.Automation.Runspaces.TypeTable+<>c System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass59_0 System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass61_0`1[T] System.Management.Automation.Runspaces.TypeTable+<>c__DisplayClass90_0 System.Management.Automation.Runspaces.FormatTable+<>c__DisplayClass10_0 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Certificate_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Diagnostics_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__24 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__68 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__35 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__36 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__37 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__34 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__33 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__38 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__42 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__39 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__53 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__40 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__41 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__43 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__44 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__45 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__47 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__48 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__49 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__62 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__60 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__61 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__59 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__51 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__52 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__50 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__27 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__54 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__64 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__63 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__32 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__65 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__31 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__55 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__56 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__46 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__57 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__58 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__29 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__20 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__21 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__16 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__25 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__67 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__17 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__23 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__26 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__30 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__28 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__66 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__22 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__18 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__69 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__19 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.DotNetTypes_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Event_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.FileSystem_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.HelpV3_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__16 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__17 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__24 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__25 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__19 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__20 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__22 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__23 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__21 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__18 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.Help_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__42 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__40 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__7 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__39 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__33 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__21 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__50 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__59 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__44 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__13 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__20 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__53 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__43 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__45 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__57 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__56 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__55 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__58 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__51 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__54 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__52 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__47 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__19 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__11 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__14 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__41 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__23 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__10 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__35 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__31 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__49 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__16 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__18 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__24 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__17 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__30 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__34 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__38 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__25 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__48 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__60 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__65 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__63 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__64 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__61 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__62 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__8 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__9 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__22 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__37 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__36 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__12 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__29 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__15 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__28 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__26 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__27 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__32 System.Management.Automation.Runspaces.PowerShellCore_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.PowerShellTrace_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.Registry_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.Registry_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__0 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__3 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__6 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__2 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__4 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__5 System.Management.Automation.Runspaces.WSMan_Format_Ps1Xml+d__1 System.Management.Automation.Runspaces.FormatAndTypeDataHelper+Category System.Management.Automation.Runspaces.PipelineReader`1+d__20[T] System.Management.Automation.Language.PseudoParameterBinder+BindingType System.Management.Automation.Language.ScriptBlockAst+<>c System.Management.Automation.Language.ScriptBlockAst+<>c__DisplayClass64_0 System.Management.Automation.Language.ScriptBlockAst+d__68 System.Management.Automation.Language.ScriptBlockAst+d__67 System.Management.Automation.Language.ParamBlockAst+<>c System.Management.Automation.Language.FunctionDefinitionAst+<>c System.Management.Automation.Language.DataStatementAst+<>c System.Management.Automation.Language.AssignmentStatementAst+d__14 System.Management.Automation.Language.ConfigurationDefinitionAst+<>c System.Management.Automation.Language.ConfigurationDefinitionAst+<>c__DisplayClass29_0 System.Management.Automation.Language.GenericTypeName+<>c System.Management.Automation.Language.AstSearcher+<>c System.Management.Automation.Language.Compiler+DefaultValueExpressionWrapper System.Management.Automation.Language.Compiler+LoopGotoTargets System.Management.Automation.Language.Compiler+CaptureAstContext System.Management.Automation.Language.Compiler+MergeRedirectExprs System.Management.Automation.Language.Compiler+AutomaticVarSaver System.Management.Automation.Language.Compiler+<>O System.Management.Automation.Language.Compiler+<>c System.Management.Automation.Language.Compiler+<>c__DisplayClass173_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass188_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass188_1 System.Management.Automation.Language.Compiler+<>c__DisplayClass189_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass194_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass195_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass200_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass201_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass205_0 System.Management.Automation.Language.Compiler+<>c__DisplayClass205_1 System.Management.Automation.Language.Compiler+<>c__DisplayClass238_0 System.Management.Automation.Language.Compiler+d__234 System.Management.Automation.Language.InvokeMemberAssignableValue+<>c System.Management.Automation.Language.Parser+CommandArgumentContext System.Management.Automation.Language.Parser+<>c System.Management.Automation.Language.Parser+<>c__DisplayClass19_0 System.Management.Automation.Language.Parser+d__62 System.Management.Automation.Language.TypeDefiner+DefineTypeHelper System.Management.Automation.Language.TypeDefiner+DefineEnumHelper System.Management.Automation.Language.TypeDefiner+d__16 System.Management.Automation.Language.GetSafeValueVisitor+SafeValueContext System.Management.Automation.Language.GetSafeValueVisitor+<>c__DisplayClass47_0 System.Management.Automation.Language.SemanticChecks+<>c System.Management.Automation.Language.SemanticChecks+<>c__DisplayClass37_0 System.Management.Automation.Language.SemanticChecks+<>c__DisplayClass38_0 System.Management.Automation.Language.SemanticChecks+d__22 System.Management.Automation.Language.RestrictedLanguageChecker+<>c__DisplayClass43_0 System.Management.Automation.Language.SymbolTable+<>c System.Management.Automation.Language.SymbolResolver+<>c System.Management.Automation.Language.DynamicKeywordExtension+<>c__DisplayClass3_0 System.Management.Automation.Language.Tokenizer+<>O System.Management.Automation.Language.Tokenizer+<>c System.Management.Automation.Language.Tokenizer+<>c__DisplayClass140_0 System.Management.Automation.Language.Tokenizer+<>c__DisplayClass141_0 System.Management.Automation.Language.TypeResolver+AmbiguousTypeException System.Management.Automation.Language.TypeCache+KeyComparer System.Management.Automation.Language.FindAllVariablesVisitor+<>c System.Management.Automation.Language.VariableAnalysis+LoopGotoTargets System.Management.Automation.Language.VariableAnalysis+Block System.Management.Automation.Language.VariableAnalysis+AssignmentTarget System.Management.Automation.Language.VariableAnalysis+<>O System.Management.Automation.Language.VariableAnalysis+<>c System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass47_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass51_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass54_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass55_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass58_0 System.Management.Automation.Language.VariableAnalysis+<>c__DisplayClass58_1 System.Management.Automation.Language.VariableAnalysis+d__65 System.Management.Automation.Language.DynamicMetaObjectBinderExtensions+<>c System.Management.Automation.Language.PSEnumerableBinder+<>O System.Management.Automation.Language.PSEnumerableBinder+<>c System.Management.Automation.Language.PSEnumerableBinder+<>c__DisplayClass7_0 System.Management.Automation.Language.PSToObjectArrayBinder+<>c System.Management.Automation.Language.PSPipeWriterBinder+<>O System.Management.Automation.Language.PSInvokeDynamicMemberBinder+KeyComparer System.Management.Automation.Language.PSAttributeGenerator+<>c System.Management.Automation.Language.PSVariableAssignmentBinder+<>O System.Management.Automation.Language.PSBinaryOperationBinder+<>O System.Management.Automation.Language.PSBinaryOperationBinder+<>c System.Management.Automation.Language.PSConvertBinder+<>O System.Management.Automation.Language.PSGetIndexBinder+<>c System.Management.Automation.Language.PSGetIndexBinder+<>c__DisplayClass15_0 System.Management.Automation.Language.PSGetIndexBinder+<>c__DisplayClass17_0 System.Management.Automation.Language.PSSetIndexBinder+<>c System.Management.Automation.Language.PSSetIndexBinder+<>c__DisplayClass9_0 System.Management.Automation.Language.PSGetMemberBinder+KeyComparer System.Management.Automation.Language.PSGetMemberBinder+ReservedMemberBinder System.Management.Automation.Language.PSGetMemberBinder+<>c System.Management.Automation.Language.PSSetMemberBinder+KeyComparer System.Management.Automation.Language.PSInvokeMemberBinder+MethodInvocationType System.Management.Automation.Language.PSInvokeMemberBinder+KeyComparer System.Management.Automation.Language.PSInvokeMemberBinder+<>c System.Management.Automation.Language.PSInvokeMemberBinder+<>c__DisplayClass18_0 System.Management.Automation.Language.PSInvokeMemberBinder+<>c__DisplayClass18_1 System.Management.Automation.Language.PSCreateInstanceBinder+KeyComparer System.Management.Automation.Language.PSCreateInstanceBinder+<>c System.Management.Automation.Language.PSInvokeBaseCtorBinder+KeyComparer System.Management.Automation.Language.PSInvokeBaseCtorBinder+<>c System.Management.Automation.InteropServices.ComEventsSink+<>c__DisplayClass2_0 System.Management.Automation.InteropServices.ComEventsMethod+DelegateWrapper System.Management.Automation.InteropServices.Variant+TypeUnion System.Management.Automation.InteropServices.Variant+Record System.Management.Automation.InteropServices.Variant+UnionTypes System.Management.Automation.ComInterop.ComBinder+ComGetMemberBinder System.Management.Automation.ComInterop.ComBinder+ComInvokeMemberBinder System.Management.Automation.ComInterop.ComBinder+<>c System.Management.Automation.ComInterop.SplatCallSite+InvokeDelegate System.Management.Automation.Internal.CommonParameters+ValidateVariableName System.Management.Automation.Internal.ModuleUtils+<>c System.Management.Automation.Internal.ModuleUtils+d__9 System.Management.Automation.Internal.ModuleUtils+d__11 System.Management.Automation.Internal.ModuleUtils+d__13 System.Management.Automation.Internal.ModuleUtils+d__19 System.Management.Automation.Internal.ModuleUtils+d__20 System.Management.Automation.Internal.PipelineProcessor+PipelineExecutionStatus System.Management.Automation.Internal.ClientPowerShellDataStructureHandler+connectionStates System.Management.Automation.Internal.ClassOps+<>O System.Management.Automation.Internal.ClassOps+<>c System.Management.Automation.Internal.CabinetNativeApi+FdiAllocDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiFreeDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiOpenDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiReadDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiWriteDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiCloseDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiSeekDelegate System.Management.Automation.Internal.CabinetNativeApi+FdiNotifyDelegate System.Management.Automation.Internal.CabinetNativeApi+PermissionMode System.Management.Automation.Internal.CabinetNativeApi+OpFlags System.Management.Automation.Internal.CabinetNativeApi+FdiCreateCpuType System.Management.Automation.Internal.CabinetNativeApi+FdiNotification System.Management.Automation.Internal.CabinetNativeApi+FdiNotificationType System.Management.Automation.Internal.CabinetNativeApi+FdiERF System.Management.Automation.Internal.CabinetNativeApi+FdiContextHandle System.Management.Automation.Internal.AlternateDataStreamUtilities+NativeMethods System.Management.Automation.Internal.AlternateDataStreamUtilities+SafeFindHandle System.Management.Automation.Internal.AlternateDataStreamUtilities+AlternateStreamNativeData System.Management.Automation.Internal.CopyFileRemoteUtils+d__27 System.Management.Automation.Internal.CopyFileRemoteUtils+d__25 System.Management.Automation.Internal.Host.InternalHost+PromptContextData Microsoft.PowerShell.DeserializingTypeConverter+RehydrationFlags Microsoft.PowerShell.CAPI+CRYPTOAPI_BLOB Microsoft.PowerShell.PSAuthorizationManager+RunPromptDecision Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry+<>c Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>O Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass40_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass43_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass46_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass64_0 Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache+<>c__DisplayClass83_0 Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter+<>c Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+<>O Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+d__6 Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand+d__7 Microsoft.PowerShell.Commands.GetCommandCommand+CommandInfoComparer Microsoft.PowerShell.Commands.GetCommandCommand+<>c Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass60_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass78_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass80_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass80_1 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass83_0 Microsoft.PowerShell.Commands.GetCommandCommand+<>c__DisplayClass91_0 Microsoft.PowerShell.Commands.GetCommandCommand+d__91 Microsoft.PowerShell.Commands.NounArgumentCompleter+<>c Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass115_0 Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass116_0 Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass120_0 Microsoft.PowerShell.Commands.WhereObjectCommand+<>c__DisplayClass120_1 Microsoft.PowerShell.Commands.SetStrictModeCommand+ArgumentToPSVersionTransformationAttribute Microsoft.PowerShell.Commands.SetStrictModeCommand+ValidateVersionAttribute Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter+d__1 Microsoft.PowerShell.Commands.GetModuleCommand+<>c Microsoft.PowerShell.Commands.GetModuleCommand+<>c__DisplayClass50_0 Microsoft.PowerShell.Commands.GetModuleCommand+d__66 Microsoft.PowerShell.Commands.GetModuleCommand+d__47 Microsoft.PowerShell.Commands.GetModuleCommand+d__67 Microsoft.PowerShell.Commands.PSEditionArgumentCompleter+d__0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>O Microsoft.PowerShell.Commands.ImportModuleCommand+<>c Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass114_0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass121_0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass130_0 Microsoft.PowerShell.Commands.ImportModuleCommand+<>c__DisplayClass130_1 Microsoft.PowerShell.Commands.ModuleCmdletBase+ManifestProcessingFlags Microsoft.PowerShell.Commands.ModuleCmdletBase+ImportModuleOptions Microsoft.PowerShell.Commands.ModuleCmdletBase+ModuleLoggingGroupPolicyStatus Microsoft.PowerShell.Commands.ModuleCmdletBase+<>c Microsoft.PowerShell.Commands.ModuleCmdletBase+<>c__DisplayClass157_0 Microsoft.PowerShell.Commands.ModuleCmdletBase+d__104 Microsoft.PowerShell.Commands.ModuleCmdletBase+d__95 Microsoft.PowerShell.Commands.ModuleCmdletBase+d__98 Microsoft.PowerShell.Commands.NewModuleManifestCommand+<>c__DisplayClass172_0 Microsoft.PowerShell.Commands.NewModuleManifestCommand+<>c__DisplayClass174_0 Microsoft.PowerShell.Commands.NewModuleManifestCommand+d__165 Microsoft.PowerShell.Commands.RemoveModuleCommand+<>c Microsoft.PowerShell.Commands.TestModuleManifestCommand+<>c Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation Microsoft.PowerShell.Commands.ConnectPSSessionCommand+OverrideParameter Microsoft.PowerShell.Commands.ConnectPSSessionCommand+<>c__DisplayClass79_0 Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand+<>c Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand+<>c__DisplayClass12_0 Microsoft.PowerShell.Commands.DisconnectPSSessionCommand+DisconnectRunspaceOperation Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand+<>c__DisplayClass19_0 Microsoft.PowerShell.Commands.GetJobCommand+<>c Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass33_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_1 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_2 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass34_3 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass35_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass37_0 Microsoft.PowerShell.Commands.NewPSSessionCommand+<>c__DisplayClass46_0 Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet+VMState Microsoft.PowerShell.Commands.PSExecutionCmdlet+<>c Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass38_2 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass39_2 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass40_2 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_0 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_1 Microsoft.PowerShell.Commands.PSRunspaceCmdlet+<>c__DisplayClass41_2 Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_0 Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_1 Microsoft.PowerShell.Commands.QueryRunspaces+<>c__DisplayClass1_2 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass71_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass75_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass76_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass77_0 Microsoft.PowerShell.Commands.EnterPSSessionCommand+<>c__DisplayClass87_0 Microsoft.PowerShell.Commands.ReceivePSSessionCommand+<>c__DisplayClass84_0 Microsoft.PowerShell.Commands.StopJobCommand+<>c Microsoft.PowerShell.Commands.WaitJobCommand+<>c Microsoft.PowerShell.Commands.GetHelpCommand+HelpView Microsoft.PowerShell.Commands.GetHelpCodeMethods+<>c Microsoft.PowerShell.Commands.UpdatableHelpCommandBase+d__46 Microsoft.PowerShell.Commands.UpdatableHelpCommandBase+d__45 Microsoft.PowerShell.Commands.FileSystemContentReaderWriter+<>c Microsoft.PowerShell.Commands.FileSystemContentReaderWriter+<>c__DisplayClass36_0 Microsoft.PowerShell.Commands.FileStreamBackReader+NativeMethods Microsoft.PowerShell.Commands.FileSystemProvider+ItemType Microsoft.PowerShell.Commands.FileSystemProvider+InodeTracker Microsoft.PowerShell.Commands.FileSystemProvider+<>c Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass41_0 Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass53_0 Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass55_0 Microsoft.PowerShell.Commands.FileSystemProvider+<>c__DisplayClass63_0 Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+REPARSE_DATA_BUFFER_SYMBOLICLINK Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+REPARSE_DATA_BUFFER_MOUNTPOINT Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+BY_HANDLE_FILE_INFORMATION Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods+FILE_TIME Microsoft.PowerShell.Commands.SessionStateProviderBase+<>c Microsoft.PowerShell.Commands.Internal.Win32Native+TOKEN_INFORMATION_CLASS Microsoft.PowerShell.Commands.Internal.Win32Native+SID_NAME_USE Microsoft.PowerShell.Commands.Internal.Win32Native+SID_AND_ATTRIBUTES Microsoft.PowerShell.Commands.Internal.Win32Native+TOKEN_USER Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+OuterCmdletCallback Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+InputObjectCallback Microsoft.PowerShell.Commands.Internal.Format.ImplementationCommandBase+WriteObjectCallback Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommandBase+FormattingContextState Microsoft.PowerShell.Commands.Internal.Format.InnerFormatShapeCommand+GroupTransition Microsoft.PowerShell.Commands.Internal.Format.ComplexSpecificParameters+ClassInfoDisplay Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormattingState Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+PreprocessingState Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormattingHint Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableFormattingHint Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideFormattingHint Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+FormatOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+GroupOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableOutputContextBase Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+TableOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+ListOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideOutputContext Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+ComplexOutputContext Microsoft.PowerShell.Commands.Internal.Format.IndentationManager+IndentationStackFrame Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper+SplitLinesAccumulator Microsoft.PowerShell.Commands.Internal.Format.StringManipulationHelper+d__5 Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+LoadingResult Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyBindingStatus Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyLoadResult Microsoft.PowerShell.Commands.Internal.Format.DisplayResourceManagerCache+AssemblyNameResolver Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager+TypeGenerator Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseManager+<>O Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+XmlTags Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+XMLStringValues Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ExpressionNodeMatch Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ViewEntryNodeMatch Microsoft.PowerShell.Commands.Internal.Format.TypeInfoDataBaseLoader+ComplexControlMatch Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderLoggerEntry+EntryType Microsoft.PowerShell.Commands.Internal.Format.XmlLoaderBase+XmlLoaderStackFrame Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatContextCreationCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatStartCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+FormatEndCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+GroupStartCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+GroupEndCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+PayloadCallback Microsoft.PowerShell.Commands.Internal.Format.FormatMessagesContextManager+OutputContext Microsoft.PowerShell.Commands.Internal.Format.FormatInfoDataClassFactory+<>c Microsoft.PowerShell.Commands.Internal.Format.ViewGenerator+DataBaseInfo Microsoft.PowerShell.Commands.Internal.Format.LineOutput+DoPlayBackCall Microsoft.PowerShell.Commands.Internal.Format.WriteLineHelper+WriteCallback Microsoft.PowerShell.Commands.Internal.Format.StreamingTextWriter+WriteLineCallback Microsoft.PowerShell.Commands.Internal.Format.SubPipelineManager+CommandEntry Microsoft.PowerShell.Commands.Internal.Format.FormattedObjectsCache+ProcessCachedGroupNotification Microsoft.PowerShell.Commands.Internal.Format.TableWriter+ColumnInfo Microsoft.PowerShell.Commands.Internal.Format.TableWriter+ScreenInfo Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput+PromptHandler Microsoft.PowerShell.Cmdletization.ScriptWriter+GenerationOptions Microsoft.PowerShell.Cmdletization.ScriptWriter+<>c +__StaticArrayInitTypeSize=6 +__StaticArrayInitTypeSize=11 +__StaticArrayInitTypeSize=12 +__StaticArrayInitTypeSize=14 +__StaticArrayInitTypeSize=16 +__StaticArrayInitTypeSize=20 +__StaticArrayInitTypeSize=32 +__StaticArrayInitTypeSize=46 +__StaticArrayInitTypeSize=56 +__StaticArrayInitTypeSize=76 +__StaticArrayInitTypeSize=204 +__StaticArrayInitTypeSize=252 +__StaticArrayInitTypeSize=512 +__StaticArrayInitTypeSize=684 Interop+Windows+FileDesiredAccess Interop+Windows+FileAttributes Interop+Windows+SymbolicLinkFlags Interop+Windows+ActivityControl Interop+Windows+FILE_TIME Interop+Windows+WIN32_FIND_DATA Interop+Windows+SafeFindHandle Interop+Windows+PROCESS_BASIC_INFORMATION Interop+Windows+SHFILEINFO Interop+Windows+NETRESOURCEW System.Text.RegularExpressions.Generated.FD7FFAF77DF7FAE987E208EBC178F6E1014022B73EAD63358B907929D214D3154__NamespacePattern_0+RunnerFactory+Runner System.Management.Automation.Platform+Unix+ItemType System.Management.Automation.Platform+Unix+StatMask System.Management.Automation.Platform+Unix+CommonStat System.Management.Automation.Platform+Unix+NativeMethods System.Management.Automation.ComInvoker+Variant+TypeUnion System.Management.Automation.ComInvoker+Variant+Record System.Management.Automation.ComInvoker+Variant+UnionTypes System.Management.Automation.DotNetAdapter+PropertyCacheEntry+GetterDelegate System.Management.Automation.DotNetAdapter+PropertyCacheEntry+SetterDelegate System.Management.Automation.LanguagePrimitives+EnumSingleTypeConverter+EnumHashEntry System.Management.Automation.LanguagePrimitives+ConvertViaNoArgumentConstructor+<>O System.Management.Automation.LanguagePrimitives+SignatureComparator+TypeMatchingContext System.Management.Automation.ParserOps+ReplaceOperatorImpl+<>c__DisplayClass5_0 System.Management.Automation.RemoteDiscoveryHelper+CimModule+DiscoveredModuleType System.Management.Automation.RemoteDiscoveryHelper+CimModule+CimModuleManifestFile System.Management.Automation.RemoteDiscoveryHelper+CimModule+CimModuleImplementationFile System.Management.Automation.RemoteDiscoveryHelper+CimModule+<>c System.Management.Automation.PSObject+PSDynamicMetaObject+<>c System.Management.Automation.ThrottlingJob+ForwardingHelper+<>c__DisplayClass24_0 System.Management.Automation.ServerRunspacePoolDriver+PowerShellDriverInvoker+InvokePump System.Management.Automation.PSStyle+FileInfoFormatting+FileExtensionDictionary System.Management.Automation.AmsiUtils+AmsiNativeMethods+AMSI_RESULT System.Management.Automation.Verbs+VerbArgumentCompleter+<>c System.Management.Automation.Verbs+VerbArgumentCompleter+d__0 System.Management.Automation.Remoting.Client.WSManNativeApi+WSManUserNameAuthenticationCredentials+WSManUserNameCredentialStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateThumbprintCredentials+WSManThumbprintStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManDataDWord+WSManDWordDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCommandArgSet+WSManCommandArgSetInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellDisconnectInfo+WSManShellDisconnectInfoInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet+WSManEnvironmentVariableSetInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManEnvironmentVariableSet+WSManEnvironmentVariableInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManProxyInfo+WSManProxyInfoInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManShellAsync+WSManShellAsyncInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManCreateShellDataResultInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCreateShellDataResult+WSManTextDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManConnectDataResultInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManConnectDataResult+WSManTextDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManReceiveDataResultInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManDataStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManReceiveDataResult+WSManBinaryDataInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManPluginRequest+WSManPluginRequestInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSenderDetails+WSManSenderDetailsInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManCertificateDetails+WSManCertificateDetailsInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManOperationInfoInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManFragmentInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManOperationInfo+WSManFilterInternal System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet+WSManSelectorSetStruct System.Management.Automation.Remoting.Client.WSManNativeApi+WSManSelectorSet+WSManKeyStruct System.Management.Automation.Interpreter.InstructionList+DebugView+InstructionView System.Management.Automation.Language.Compiler+AutomaticVarSaver+d__5 System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c__DisplayClass25_0 System.Management.Automation.Language.TypeDefiner+DefineTypeHelper+<>c__DisplayClass26_0 System.Management.Automation.Language.TypeDefiner+DefineEnumHelper+<>c System.Management.Automation.Language.TypeDefiner+DefineEnumHelper+<>o__6 System.Management.Automation.Internal.AlternateDataStreamUtilities+NativeMethods+StreamInfoLevels Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation+<>c__DisplayClass17_0 Microsoft.PowerShell.Commands.ConnectPSSessionCommand+ConnectRunspaceOperation+<>c__DisplayClass18_0 Microsoft.PowerShell.Commands.DisconnectPSSessionCommand+DisconnectRunspaceOperation+<>c__DisplayClass12_0 Microsoft.PowerShell.Commands.FileStreamBackReader+NativeMethods+CPINFO Microsoft.PowerShell.Commands.Internal.Format.OutCommandInner+WideOutputContext+StringValuesBuffer Microsoft.PowerShell.Commands.Internal.Format.ConsoleLineOutput+PromptHandler+PromptResponse Interop+Windows+WIN32_FIND_DATA+e__FixedBuffer Interop+Windows+WIN32_FIND_DATA+e__FixedBuffer Interop+Windows+SHFILEINFO+e__FixedBuffer Interop+Windows+SHFILEINFO+e__FixedBuffer System.Management.Automation.Platform+Unix+NativeMethods+UnixTm System.Management.Automation.Platform+Unix+NativeMethods+CommonStatStruct", + "IsCollectible": false, + "ManifestModule": "System.Management.Automation.dll", + "ReflectionOnly": false, + "Location": "C:\\Program Files\\PowerShell\\7\\System.Management.Automation.dll", + "ImageRuntimeVersion": "v4.0.30319", + "GlobalAssemblyCache": false, + "HostContext": 0, + "IsDynamic": false, + "ExportedTypes": "System.Management.Automation.PowerShellAssemblyLoadContextInitializer System.Management.Automation.PowerShellUnsafeAssemblyLoad System.Management.Automation.Platform System.Management.Automation.PSTransactionContext System.Management.Automation.RollbackSeverity System.Management.Automation.AliasInfo System.Management.Automation.ApplicationInfo System.Management.Automation.ValidateArgumentsAttribute System.Management.Automation.ValidateEnumeratedArgumentsAttribute System.Management.Automation.DSCResourceRunAsCredential System.Management.Automation.DscResourceAttribute System.Management.Automation.DscPropertyAttribute System.Management.Automation.DscLocalConfigurationManagerAttribute System.Management.Automation.CmdletCommonMetadataAttribute System.Management.Automation.CmdletAttribute System.Management.Automation.CmdletBindingAttribute System.Management.Automation.OutputTypeAttribute System.Management.Automation.DynamicClassImplementationAssemblyAttribute System.Management.Automation.AliasAttribute System.Management.Automation.ParameterAttribute System.Management.Automation.PSTypeNameAttribute System.Management.Automation.SupportsWildcardsAttribute System.Management.Automation.PSDefaultValueAttribute System.Management.Automation.HiddenAttribute System.Management.Automation.ValidateLengthAttribute System.Management.Automation.ValidateRangeKind System.Management.Automation.ValidateRangeAttribute System.Management.Automation.ValidatePatternAttribute System.Management.Automation.ValidateScriptAttribute System.Management.Automation.ValidateCountAttribute System.Management.Automation.CachedValidValuesGeneratorBase System.Management.Automation.ValidateSetAttribute System.Management.Automation.IValidateSetValuesGenerator System.Management.Automation.ValidateTrustedDataAttribute System.Management.Automation.AllowNullAttribute System.Management.Automation.AllowEmptyStringAttribute System.Management.Automation.AllowEmptyCollectionAttribute System.Management.Automation.ValidateDriveAttribute System.Management.Automation.ValidateUserDriveAttribute System.Management.Automation.NullValidationAttributeBase System.Management.Automation.ValidateNotNullAttribute System.Management.Automation.ValidateNotNullOrAttributeBase System.Management.Automation.ValidateNotNullOrEmptyAttribute System.Management.Automation.ValidateNotNullOrWhiteSpaceAttribute System.Management.Automation.ArgumentTransformationAttribute System.Management.Automation.ChildItemCmdletProviderIntrinsics System.Management.Automation.ReturnContainers System.Management.Automation.Cmdlet System.Management.Automation.ShouldProcessReason System.Management.Automation.ProviderIntrinsics System.Management.Automation.CmdletInfo System.Management.Automation.DefaultParameterDictionary System.Management.Automation.NativeArgumentPassingStyle System.Management.Automation.ErrorView System.Management.Automation.ActionPreference System.Management.Automation.ConfirmImpact System.Management.Automation.PSCmdlet System.Management.Automation.CommandCompletion System.Management.Automation.CompletionCompleters System.Management.Automation.CompletionResultType System.Management.Automation.CompletionResult System.Management.Automation.ArgumentCompleterAttribute System.Management.Automation.IArgumentCompleter System.Management.Automation.IArgumentCompleterFactory System.Management.Automation.ArgumentCompleterFactoryAttribute System.Management.Automation.RegisterArgumentCompleterCommand System.Management.Automation.ArgumentCompletionsAttribute System.Management.Automation.ScopeArgumentCompleter System.Management.Automation.CommandLookupEventArgs System.Management.Automation.PSModuleAutoLoadingPreference System.Management.Automation.CommandTypes System.Management.Automation.CommandInfo System.Management.Automation.PSTypeName System.Management.Automation.SessionCapabilities System.Management.Automation.CommandMetadata System.Management.Automation.ConfigurationInfo System.Management.Automation.ContentCmdletProviderIntrinsics System.Management.Automation.PSCredentialTypes System.Management.Automation.PSCredentialUIOptions System.Management.Automation.GetSymmetricEncryptionKey System.Management.Automation.PSCredential System.Management.Automation.PSDriveInfo System.Management.Automation.ProviderInfo System.Management.Automation.Breakpoint System.Management.Automation.CommandBreakpoint System.Management.Automation.VariableAccessMode System.Management.Automation.VariableBreakpoint System.Management.Automation.LineBreakpoint System.Management.Automation.DebuggerResumeAction System.Management.Automation.DebuggerStopEventArgs System.Management.Automation.BreakpointUpdateType System.Management.Automation.BreakpointUpdatedEventArgs System.Management.Automation.PSJobStartEventArgs System.Management.Automation.StartRunspaceDebugProcessingEventArgs System.Management.Automation.ProcessRunspaceDebugEndEventArgs System.Management.Automation.DebugModes System.Management.Automation.Debugger System.Management.Automation.DebuggerCommandResults System.Management.Automation.PSDebugContext System.Management.Automation.CallStackFrame System.Management.Automation.DriveManagementIntrinsics System.Management.Automation.ImplementedAsType System.Management.Automation.DscResourceInfo System.Management.Automation.DscResourcePropertyInfo System.Management.Automation.EngineIntrinsics System.Management.Automation.FlagsExpression`1[T] System.Management.Automation.ErrorCategory System.Management.Automation.ErrorCategoryInfo System.Management.Automation.ErrorDetails System.Management.Automation.ErrorRecord System.Management.Automation.IContainsErrorRecord System.Management.Automation.IResourceSupplier System.Management.Automation.PSEventManager System.Management.Automation.PSEngineEvent System.Management.Automation.PSEventSubscriber System.Management.Automation.PSEventHandler System.Management.Automation.ForwardedEventArgs System.Management.Automation.PSEventArgs System.Management.Automation.PSEventReceivedEventHandler System.Management.Automation.PSEventUnsubscribedEventArgs System.Management.Automation.PSEventUnsubscribedEventHandler System.Management.Automation.PSEventArgsCollection System.Management.Automation.PSEventJob System.Management.Automation.ExperimentalFeature System.Management.Automation.ExperimentAction System.Management.Automation.ExperimentalAttribute System.Management.Automation.ExtendedTypeSystemException System.Management.Automation.MethodException System.Management.Automation.MethodInvocationException System.Management.Automation.GetValueException System.Management.Automation.PropertyNotFoundException System.Management.Automation.GetValueInvocationException System.Management.Automation.SetValueException System.Management.Automation.SetValueInvocationException System.Management.Automation.PSInvalidCastException System.Management.Automation.ExternalScriptInfo System.Management.Automation.PSSnapInSpecification System.Management.Automation.FilterInfo System.Management.Automation.FunctionInfo System.Management.Automation.HostUtilities System.Management.Automation.InformationalRecord System.Management.Automation.WarningRecord System.Management.Automation.DebugRecord System.Management.Automation.VerboseRecord System.Management.Automation.PSListModifier System.Management.Automation.PSListModifier`1[T] System.Management.Automation.InvalidPowerShellStateException System.Management.Automation.PSInvocationState System.Management.Automation.RunspaceMode System.Management.Automation.PSInvocationStateInfo System.Management.Automation.PSInvocationStateChangedEventArgs System.Management.Automation.PSInvocationSettings System.Management.Automation.RemoteStreamOptions System.Management.Automation.PowerShell System.Management.Automation.PSDataStreams System.Management.Automation.PSCommand System.Management.Automation.DataAddedEventArgs System.Management.Automation.DataAddingEventArgs System.Management.Automation.PSDataCollection`1[T] System.Management.Automation.ICommandRuntime System.Management.Automation.ICommandRuntime2 System.Management.Automation.InformationRecord System.Management.Automation.HostInformationMessage System.Management.Automation.InvocationInfo System.Management.Automation.RemoteCommandInfo System.Management.Automation.ItemCmdletProviderIntrinsics System.Management.Automation.CopyContainers System.Management.Automation.PSTypeConverter System.Management.Automation.ConvertThroughString System.Management.Automation.LanguagePrimitives System.Management.Automation.PSParseError System.Management.Automation.PSParser System.Management.Automation.PSToken System.Management.Automation.PSTokenType System.Management.Automation.FlowControlException System.Management.Automation.LoopFlowException System.Management.Automation.BreakException System.Management.Automation.ContinueException System.Management.Automation.ExitException System.Management.Automation.TerminateException System.Management.Automation.SplitOptions System.Management.Automation.ScriptBlock System.Management.Automation.SteppablePipeline System.Management.Automation.ScriptBlockToPowerShellNotSupportedException System.Management.Automation.ModuleIntrinsics System.Management.Automation.IModuleAssemblyInitializer System.Management.Automation.IModuleAssemblyCleanup System.Management.Automation.PSModuleInfo System.Management.Automation.ModuleType System.Management.Automation.ModuleAccessMode System.Management.Automation.IDynamicParameters System.Management.Automation.SwitchParameter System.Management.Automation.CommandInvocationIntrinsics System.Management.Automation.PSMemberTypes System.Management.Automation.PSMemberViewTypes System.Management.Automation.PSMemberInfo System.Management.Automation.PSPropertyInfo System.Management.Automation.PSAliasProperty System.Management.Automation.PSCodeProperty System.Management.Automation.PSProperty System.Management.Automation.PSAdaptedProperty System.Management.Automation.PSNoteProperty System.Management.Automation.PSVariableProperty System.Management.Automation.PSScriptProperty System.Management.Automation.PSMethodInfo System.Management.Automation.PSCodeMethod System.Management.Automation.PSScriptMethod System.Management.Automation.PSMethod System.Management.Automation.PSParameterizedProperty System.Management.Automation.PSMemberSet System.Management.Automation.PSPropertySet System.Management.Automation.PSEvent System.Management.Automation.PSDynamicMember System.Management.Automation.MemberNamePredicate System.Management.Automation.PSMemberInfoCollection`1[T] System.Management.Automation.ReadOnlyPSMemberInfoCollection`1[T] System.Management.Automation.PSObject System.Management.Automation.PSCustomObject System.Management.Automation.SettingValueExceptionEventArgs System.Management.Automation.GettingValueExceptionEventArgs System.Management.Automation.PSObjectPropertyDescriptor System.Management.Automation.PSObjectTypeDescriptor System.Management.Automation.PSObjectTypeDescriptionProvider System.Management.Automation.PSReference System.Management.Automation.PSSecurityException System.Management.Automation.NativeCommandExitException System.Management.Automation.RemoteException System.Management.Automation.OrderedHashtable System.Management.Automation.CommandParameterInfo System.Management.Automation.CommandParameterSetInfo System.Management.Automation.TypeInferenceRuntimePermissions System.Management.Automation.PathIntrinsics System.Management.Automation.PowerShellStreamType System.Management.Automation.ProgressRecord System.Management.Automation.ProgressRecordType System.Management.Automation.PropertyCmdletProviderIntrinsics System.Management.Automation.CmdletProviderManagementIntrinsics System.Management.Automation.ProxyCommand System.Management.Automation.PSClassInfo System.Management.Automation.PSClassMemberInfo System.Management.Automation.RuntimeDefinedParameter System.Management.Automation.RuntimeDefinedParameterDictionary System.Management.Automation.PSVersionInfo System.Management.Automation.PSVersionHashTable System.Management.Automation.SemanticVersion System.Management.Automation.WildcardOptions System.Management.Automation.WildcardPattern System.Management.Automation.WildcardPatternException System.Management.Automation.JobState System.Management.Automation.InvalidJobStateException System.Management.Automation.JobStateInfo System.Management.Automation.JobStateEventArgs System.Management.Automation.JobIdentifier System.Management.Automation.IJobDebugger System.Management.Automation.Job System.Management.Automation.Job2 System.Management.Automation.JobThreadOptions System.Management.Automation.ContainerParentJob System.Management.Automation.JobFailedException System.Management.Automation.JobManager System.Management.Automation.JobDefinition System.Management.Automation.JobInvocationInfo System.Management.Automation.JobSourceAdapter System.Management.Automation.PowerShellStreams`2[TInput,TOutput] System.Management.Automation.Repository`1[T] System.Management.Automation.JobRepository System.Management.Automation.RunspaceRepository System.Management.Automation.RemotingCapability System.Management.Automation.RemotingBehavior System.Management.Automation.PSSessionTypeOption System.Management.Automation.PSTransportOption System.Management.Automation.RunspacePoolStateInfo System.Management.Automation.WhereOperatorSelectionMode System.Management.Automation.ScriptInfo System.Management.Automation.SecurityDescriptorCmdletProviderIntrinsics System.Management.Automation.CommandOrigin System.Management.Automation.AuthorizationManager System.Management.Automation.PSSerializer System.Management.Automation.PSPrimitiveDictionary System.Management.Automation.LocationChangedEventArgs System.Management.Automation.SessionState System.Management.Automation.SessionStateEntryVisibility System.Management.Automation.PSLanguageMode System.Management.Automation.PSVariable System.Management.Automation.ScopedItemOptions System.Management.Automation.PSPropertyAdapter System.Management.Automation.ParameterSetMetadata System.Management.Automation.ParameterMetadata System.Management.Automation.PagingParameters System.Management.Automation.PSVariableIntrinsics System.Management.Automation.VariablePath System.Management.Automation.ExtendedTypeDefinition System.Management.Automation.FormatViewDefinition System.Management.Automation.PSControl System.Management.Automation.PSControlGroupBy System.Management.Automation.DisplayEntry System.Management.Automation.EntrySelectedBy System.Management.Automation.Alignment System.Management.Automation.DisplayEntryValueType System.Management.Automation.CustomControl System.Management.Automation.CustomControlEntry System.Management.Automation.CustomItemBase System.Management.Automation.CustomItemExpression System.Management.Automation.CustomItemFrame System.Management.Automation.CustomItemNewline System.Management.Automation.CustomItemText System.Management.Automation.CustomEntryBuilder System.Management.Automation.CustomControlBuilder System.Management.Automation.ListControl System.Management.Automation.ListControlEntry System.Management.Automation.ListControlEntryItem System.Management.Automation.ListEntryBuilder System.Management.Automation.ListControlBuilder System.Management.Automation.TableControl System.Management.Automation.TableControlColumnHeader System.Management.Automation.TableControlColumn System.Management.Automation.TableControlRow System.Management.Automation.TableRowDefinitionBuilder System.Management.Automation.TableControlBuilder System.Management.Automation.WideControl System.Management.Automation.WideControlEntryItem System.Management.Automation.WideControlBuilder System.Management.Automation.OutputRendering System.Management.Automation.ProgressView System.Management.Automation.PSStyle System.Management.Automation.PathInfo System.Management.Automation.PathInfoStack System.Management.Automation.SigningOption System.Management.Automation.CatalogValidationStatus System.Management.Automation.CatalogInformation System.Management.Automation.CredentialAttribute System.Management.Automation.SignatureStatus System.Management.Automation.SignatureType System.Management.Automation.Signature System.Management.Automation.CmsMessageRecipient System.Management.Automation.ResolutionPurpose System.Management.Automation.PSSnapInInfo System.Management.Automation.CommandNotFoundException System.Management.Automation.ScriptRequiresException System.Management.Automation.ApplicationFailedException System.Management.Automation.ProviderCmdlet System.Management.Automation.CmdletInvocationException System.Management.Automation.CmdletProviderInvocationException System.Management.Automation.PipelineStoppedException System.Management.Automation.PipelineClosedException System.Management.Automation.ActionPreferenceStopException System.Management.Automation.ParentContainsErrorRecordException System.Management.Automation.RedirectedException System.Management.Automation.ScriptCallDepthException System.Management.Automation.PipelineDepthException System.Management.Automation.HaltCommandException System.Management.Automation.MetadataException System.Management.Automation.ValidationMetadataException System.Management.Automation.ArgumentTransformationMetadataException System.Management.Automation.ParsingMetadataException System.Management.Automation.PSArgumentException System.Management.Automation.PSArgumentNullException System.Management.Automation.PSArgumentOutOfRangeException System.Management.Automation.PSInvalidOperationException System.Management.Automation.PSNotImplementedException System.Management.Automation.PSNotSupportedException System.Management.Automation.PSObjectDisposedException System.Management.Automation.PSTraceSource System.Management.Automation.ParameterBindingException System.Management.Automation.ParseException System.Management.Automation.IncompleteParseException System.Management.Automation.RuntimeException System.Management.Automation.ProviderInvocationException System.Management.Automation.SessionStateCategory System.Management.Automation.SessionStateException System.Management.Automation.SessionStateUnauthorizedAccessException System.Management.Automation.ProviderNotFoundException System.Management.Automation.ProviderNameAmbiguousException System.Management.Automation.DriveNotFoundException System.Management.Automation.ItemNotFoundException System.Management.Automation.PSTraceSourceOptions System.Management.Automation.VerbsCommon System.Management.Automation.VerbsData System.Management.Automation.VerbsLifecycle System.Management.Automation.VerbsDiagnostic System.Management.Automation.VerbsCommunications System.Management.Automation.VerbsSecurity System.Management.Automation.VerbsOther System.Management.Automation.VerbInfo System.Management.Automation.VTUtility System.Management.Automation.Tracing.PowerShellTraceEvent System.Management.Automation.Tracing.PowerShellTraceChannel System.Management.Automation.Tracing.PowerShellTraceLevel System.Management.Automation.Tracing.PowerShellTraceOperationCode System.Management.Automation.Tracing.PowerShellTraceTask System.Management.Automation.Tracing.PowerShellTraceKeywords System.Management.Automation.Tracing.BaseChannelWriter System.Management.Automation.Tracing.NullWriter System.Management.Automation.Tracing.PowerShellChannelWriter System.Management.Automation.Tracing.PowerShellTraceSource System.Management.Automation.Tracing.PowerShellTraceSourceFactory System.Management.Automation.Tracing.EtwEvent System.Management.Automation.Tracing.CallbackNoParameter System.Management.Automation.Tracing.CallbackWithState System.Management.Automation.Tracing.CallbackWithStateAndArgs System.Management.Automation.Tracing.EtwEventArgs System.Management.Automation.Tracing.EtwActivity System.Management.Automation.Tracing.IEtwActivityReverter System.Management.Automation.Tracing.IEtwEventCorrelator System.Management.Automation.Tracing.EtwEventCorrelator System.Management.Automation.Tracing.Tracer System.Management.Automation.Security.SystemScriptFileEnforcement System.Management.Automation.Security.SystemEnforcementMode System.Management.Automation.Security.SystemPolicy System.Management.Automation.Provider.ContainerCmdletProvider System.Management.Automation.Provider.DriveCmdletProvider System.Management.Automation.Provider.IContentCmdletProvider System.Management.Automation.Provider.IContentReader System.Management.Automation.Provider.IContentWriter System.Management.Automation.Provider.IDynamicPropertyCmdletProvider System.Management.Automation.Provider.ISecurityDescriptorCmdletProvider System.Management.Automation.Provider.IPropertyCmdletProvider System.Management.Automation.Provider.ItemCmdletProvider System.Management.Automation.Provider.NavigationCmdletProvider System.Management.Automation.Provider.ICmdletProviderSupportsHelp System.Management.Automation.Provider.CmdletProvider System.Management.Automation.Provider.CmdletProviderAttribute System.Management.Automation.Provider.ProviderCapabilities System.Management.Automation.Subsystem.GetPSSubsystemCommand System.Management.Automation.Subsystem.SubsystemKind System.Management.Automation.Subsystem.ISubsystem System.Management.Automation.Subsystem.SubsystemInfo System.Management.Automation.Subsystem.SubsystemManager System.Management.Automation.Subsystem.Prediction.PredictionResult System.Management.Automation.Subsystem.Prediction.CommandPrediction System.Management.Automation.Subsystem.Prediction.ICommandPredictor System.Management.Automation.Subsystem.Prediction.PredictorFeedbackKind System.Management.Automation.Subsystem.Prediction.PredictionClientKind System.Management.Automation.Subsystem.Prediction.PredictionClient System.Management.Automation.Subsystem.Prediction.PredictionContext System.Management.Automation.Subsystem.Prediction.PredictiveSuggestion System.Management.Automation.Subsystem.Prediction.SuggestionPackage System.Management.Automation.Subsystem.Feedback.FeedbackResult System.Management.Automation.Subsystem.Feedback.FeedbackHub System.Management.Automation.Subsystem.Feedback.FeedbackTrigger System.Management.Automation.Subsystem.Feedback.FeedbackDisplayLayout System.Management.Automation.Subsystem.Feedback.FeedbackContext System.Management.Automation.Subsystem.Feedback.FeedbackItem System.Management.Automation.Subsystem.Feedback.IFeedbackProvider System.Management.Automation.Subsystem.DSC.ICrossPlatformDsc System.Management.Automation.Remoting.OriginInfo System.Management.Automation.Remoting.ProxyAccessType System.Management.Automation.Remoting.PSSessionOption System.Management.Automation.Remoting.CmdletMethodInvoker`1[T] System.Management.Automation.Remoting.RemoteSessionNamedPipeServer System.Management.Automation.Remoting.PSRemotingDataStructureException System.Management.Automation.Remoting.PSRemotingTransportException System.Management.Automation.Remoting.PSRemotingTransportRedirectException System.Management.Automation.Remoting.PSDirectException System.Management.Automation.Remoting.TransportMethodEnum System.Management.Automation.Remoting.TransportErrorOccuredEventArgs System.Management.Automation.Remoting.BaseTransportManager System.Management.Automation.Remoting.PSSessionConfiguration System.Management.Automation.Remoting.SessionType System.Management.Automation.Remoting.PSSenderInfo System.Management.Automation.Remoting.PSPrincipal System.Management.Automation.Remoting.PSIdentity System.Management.Automation.Remoting.PSCertificateDetails System.Management.Automation.Remoting.PSSessionConfigurationData System.Management.Automation.Remoting.WSManPluginManagedEntryWrapper System.Management.Automation.Remoting.WSManPluginManagedEntryInstanceWrapper System.Management.Automation.Remoting.WSMan.WSManServerChannelEvents System.Management.Automation.Remoting.WSMan.ActiveSessionsChangedEventArgs System.Management.Automation.Remoting.Client.BaseClientTransportManager System.Management.Automation.Remoting.Client.BaseClientSessionTransportManager System.Management.Automation.Remoting.Client.ClientSessionTransportManagerBase System.Management.Automation.Remoting.Internal.PSStreamObjectType System.Management.Automation.Remoting.Internal.PSStreamObject System.Management.Automation.Configuration.ConfigScope System.Management.Automation.PSTasks.PSTaskJob System.Management.Automation.Host.ChoiceDescription System.Management.Automation.Host.FieldDescription System.Management.Automation.Host.PSHost System.Management.Automation.Host.IHostSupportsInteractiveSession System.Management.Automation.Host.Coordinates System.Management.Automation.Host.Size System.Management.Automation.Host.ReadKeyOptions System.Management.Automation.Host.ControlKeyStates System.Management.Automation.Host.KeyInfo System.Management.Automation.Host.Rectangle System.Management.Automation.Host.BufferCell System.Management.Automation.Host.BufferCellType System.Management.Automation.Host.PSHostRawUserInterface System.Management.Automation.Host.PSHostUserInterface System.Management.Automation.Host.IHostUISupportsMultipleChoiceSelection System.Management.Automation.Host.HostException System.Management.Automation.Host.PromptingException System.Management.Automation.Runspaces.Command System.Management.Automation.Runspaces.PipelineResultTypes System.Management.Automation.Runspaces.CommandCollection System.Management.Automation.Runspaces.InvalidRunspaceStateException System.Management.Automation.Runspaces.RunspaceState System.Management.Automation.Runspaces.PSThreadOptions System.Management.Automation.Runspaces.RunspaceStateInfo System.Management.Automation.Runspaces.RunspaceStateEventArgs System.Management.Automation.Runspaces.RunspaceAvailability System.Management.Automation.Runspaces.RunspaceAvailabilityEventArgs System.Management.Automation.Runspaces.RunspaceCapability System.Management.Automation.Runspaces.Runspace System.Management.Automation.Runspaces.SessionStateProxy System.Management.Automation.Runspaces.RunspaceFactory System.Management.Automation.Runspaces.RunspaceOpenModuleLoadException System.Management.Automation.Runspaces.CommandParameter System.Management.Automation.Runspaces.CommandParameterCollection System.Management.Automation.Runspaces.InvalidPipelineStateException System.Management.Automation.Runspaces.PipelineState System.Management.Automation.Runspaces.PipelineStateInfo System.Management.Automation.Runspaces.PipelineStateEventArgs System.Management.Automation.Runspaces.Pipeline System.Management.Automation.Runspaces.PowerShellProcessInstance System.Management.Automation.Runspaces.InvalidRunspacePoolStateException System.Management.Automation.Runspaces.RunspacePoolState System.Management.Automation.Runspaces.RunspacePoolStateChangedEventArgs System.Management.Automation.Runspaces.RunspacePoolAvailability System.Management.Automation.Runspaces.RunspacePoolCapability System.Management.Automation.Runspaces.RunspacePool System.Management.Automation.Runspaces.InitialSessionStateEntry System.Management.Automation.Runspaces.ConstrainedSessionStateEntry System.Management.Automation.Runspaces.SessionStateCommandEntry System.Management.Automation.Runspaces.SessionStateTypeEntry System.Management.Automation.Runspaces.SessionStateFormatEntry System.Management.Automation.Runspaces.SessionStateAssemblyEntry System.Management.Automation.Runspaces.SessionStateCmdletEntry System.Management.Automation.Runspaces.SessionStateProviderEntry System.Management.Automation.Runspaces.SessionStateScriptEntry System.Management.Automation.Runspaces.SessionStateAliasEntry System.Management.Automation.Runspaces.SessionStateApplicationEntry System.Management.Automation.Runspaces.SessionStateFunctionEntry System.Management.Automation.Runspaces.SessionStateVariableEntry System.Management.Automation.Runspaces.InitialSessionStateEntryCollection`1[T] System.Management.Automation.Runspaces.InitialSessionState System.Management.Automation.Runspaces.TargetMachineType System.Management.Automation.Runspaces.PSSession System.Management.Automation.Runspaces.RemotingErrorRecord System.Management.Automation.Runspaces.RemotingProgressRecord System.Management.Automation.Runspaces.RemotingWarningRecord System.Management.Automation.Runspaces.RemotingDebugRecord System.Management.Automation.Runspaces.RemotingVerboseRecord System.Management.Automation.Runspaces.RemotingInformationRecord System.Management.Automation.Runspaces.AuthenticationMechanism System.Management.Automation.Runspaces.PSSessionConfigurationAccessMode System.Management.Automation.Runspaces.OutputBufferingMode System.Management.Automation.Runspaces.RunspaceConnectionInfo System.Management.Automation.Runspaces.WSManConnectionInfo System.Management.Automation.Runspaces.NamedPipeConnectionInfo System.Management.Automation.Runspaces.SSHConnectionInfo System.Management.Automation.Runspaces.VMConnectionInfo System.Management.Automation.Runspaces.ContainerConnectionInfo System.Management.Automation.Runspaces.TypeTableLoadException System.Management.Automation.Runspaces.TypeData System.Management.Automation.Runspaces.TypeMemberData System.Management.Automation.Runspaces.NotePropertyData System.Management.Automation.Runspaces.AliasPropertyData System.Management.Automation.Runspaces.ScriptPropertyData System.Management.Automation.Runspaces.CodePropertyData System.Management.Automation.Runspaces.ScriptMethodData System.Management.Automation.Runspaces.CodeMethodData System.Management.Automation.Runspaces.PropertySetData System.Management.Automation.Runspaces.MemberSetData System.Management.Automation.Runspaces.TypeTable System.Management.Automation.Runspaces.FormatTableLoadException System.Management.Automation.Runspaces.FormatTable System.Management.Automation.Runspaces.PSConsoleLoadException System.Management.Automation.Runspaces.PSSnapInException System.Management.Automation.Runspaces.PipelineReader`1[T] System.Management.Automation.Runspaces.PipelineWriter System.Management.Automation.Language.StaticParameterBinder System.Management.Automation.Language.StaticBindingResult System.Management.Automation.Language.ParameterBindingResult System.Management.Automation.Language.StaticBindingError System.Management.Automation.Language.CodeGeneration System.Management.Automation.Language.NullString System.Management.Automation.Language.Ast System.Management.Automation.Language.ErrorStatementAst System.Management.Automation.Language.ErrorExpressionAst System.Management.Automation.Language.ScriptRequirements System.Management.Automation.Language.ScriptBlockAst System.Management.Automation.Language.ParamBlockAst System.Management.Automation.Language.NamedBlockAst System.Management.Automation.Language.NamedAttributeArgumentAst System.Management.Automation.Language.AttributeBaseAst System.Management.Automation.Language.AttributeAst System.Management.Automation.Language.TypeConstraintAst System.Management.Automation.Language.ParameterAst System.Management.Automation.Language.StatementBlockAst System.Management.Automation.Language.StatementAst System.Management.Automation.Language.TypeAttributes System.Management.Automation.Language.TypeDefinitionAst System.Management.Automation.Language.UsingStatementKind System.Management.Automation.Language.UsingStatementAst System.Management.Automation.Language.MemberAst System.Management.Automation.Language.PropertyAttributes System.Management.Automation.Language.PropertyMemberAst System.Management.Automation.Language.MethodAttributes System.Management.Automation.Language.FunctionMemberAst System.Management.Automation.Language.FunctionDefinitionAst System.Management.Automation.Language.IfStatementAst System.Management.Automation.Language.DataStatementAst System.Management.Automation.Language.LabeledStatementAst System.Management.Automation.Language.LoopStatementAst System.Management.Automation.Language.ForEachFlags System.Management.Automation.Language.ForEachStatementAst System.Management.Automation.Language.ForStatementAst System.Management.Automation.Language.DoWhileStatementAst System.Management.Automation.Language.DoUntilStatementAst System.Management.Automation.Language.WhileStatementAst System.Management.Automation.Language.SwitchFlags System.Management.Automation.Language.SwitchStatementAst System.Management.Automation.Language.CatchClauseAst System.Management.Automation.Language.TryStatementAst System.Management.Automation.Language.TrapStatementAst System.Management.Automation.Language.BreakStatementAst System.Management.Automation.Language.ContinueStatementAst System.Management.Automation.Language.ReturnStatementAst System.Management.Automation.Language.ExitStatementAst System.Management.Automation.Language.ThrowStatementAst System.Management.Automation.Language.ChainableAst System.Management.Automation.Language.PipelineChainAst System.Management.Automation.Language.PipelineBaseAst System.Management.Automation.Language.PipelineAst System.Management.Automation.Language.CommandElementAst System.Management.Automation.Language.CommandParameterAst System.Management.Automation.Language.CommandBaseAst System.Management.Automation.Language.CommandAst System.Management.Automation.Language.CommandExpressionAst System.Management.Automation.Language.RedirectionAst System.Management.Automation.Language.RedirectionStream System.Management.Automation.Language.MergingRedirectionAst System.Management.Automation.Language.FileRedirectionAst System.Management.Automation.Language.AssignmentStatementAst System.Management.Automation.Language.ConfigurationType System.Management.Automation.Language.ConfigurationDefinitionAst System.Management.Automation.Language.DynamicKeywordStatementAst System.Management.Automation.Language.ExpressionAst System.Management.Automation.Language.TernaryExpressionAst System.Management.Automation.Language.BinaryExpressionAst System.Management.Automation.Language.UnaryExpressionAst System.Management.Automation.Language.BlockStatementAst System.Management.Automation.Language.AttributedExpressionAst System.Management.Automation.Language.ConvertExpressionAst System.Management.Automation.Language.MemberExpressionAst System.Management.Automation.Language.InvokeMemberExpressionAst System.Management.Automation.Language.BaseCtorInvokeMemberExpressionAst System.Management.Automation.Language.ITypeName System.Management.Automation.Language.TypeName System.Management.Automation.Language.GenericTypeName System.Management.Automation.Language.ArrayTypeName System.Management.Automation.Language.ReflectionTypeName System.Management.Automation.Language.TypeExpressionAst System.Management.Automation.Language.VariableExpressionAst System.Management.Automation.Language.ConstantExpressionAst System.Management.Automation.Language.StringConstantType System.Management.Automation.Language.StringConstantExpressionAst System.Management.Automation.Language.ExpandableStringExpressionAst System.Management.Automation.Language.ScriptBlockExpressionAst System.Management.Automation.Language.ArrayLiteralAst System.Management.Automation.Language.HashtableAst System.Management.Automation.Language.ArrayExpressionAst System.Management.Automation.Language.ParenExpressionAst System.Management.Automation.Language.SubExpressionAst System.Management.Automation.Language.UsingExpressionAst System.Management.Automation.Language.IndexExpressionAst System.Management.Automation.Language.CommentHelpInfo System.Management.Automation.Language.ICustomAstVisitor System.Management.Automation.Language.ICustomAstVisitor2 System.Management.Automation.Language.DefaultCustomAstVisitor System.Management.Automation.Language.DefaultCustomAstVisitor2 System.Management.Automation.Language.Parser System.Management.Automation.Language.ParseError System.Management.Automation.Language.IScriptPosition System.Management.Automation.Language.IScriptExtent System.Management.Automation.Language.ScriptPosition System.Management.Automation.Language.ScriptExtent System.Management.Automation.Language.AstVisitAction System.Management.Automation.Language.AstVisitor System.Management.Automation.Language.AstVisitor2 System.Management.Automation.Language.IAstPostVisitHandler System.Management.Automation.Language.NoRunspaceAffinityAttribute System.Management.Automation.Language.TokenKind System.Management.Automation.Language.TokenFlags System.Management.Automation.Language.TokenTraits System.Management.Automation.Language.Token System.Management.Automation.Language.NumberToken System.Management.Automation.Language.ParameterToken System.Management.Automation.Language.VariableToken System.Management.Automation.Language.StringToken System.Management.Automation.Language.StringLiteralToken System.Management.Automation.Language.StringExpandableToken System.Management.Automation.Language.LabelToken System.Management.Automation.Language.RedirectionToken System.Management.Automation.Language.InputRedirectionToken System.Management.Automation.Language.MergingRedirectionToken System.Management.Automation.Language.FileRedirectionToken System.Management.Automation.Language.DynamicKeywordNameMode System.Management.Automation.Language.DynamicKeywordBodyMode System.Management.Automation.Language.DynamicKeyword System.Management.Automation.Language.DynamicKeywordProperty System.Management.Automation.Language.DynamicKeywordParameter System.Management.Automation.Internal.CmdletMetadataAttribute System.Management.Automation.Internal.ParsingBaseAttribute System.Management.Automation.Internal.AutomationNull System.Management.Automation.Internal.InternalCommand System.Management.Automation.Internal.CommonParameters System.Management.Automation.Internal.DebuggerUtils System.Management.Automation.Internal.PSMonitorRunspaceType System.Management.Automation.Internal.PSMonitorRunspaceInfo System.Management.Automation.Internal.PSStandaloneMonitorRunspaceInfo System.Management.Automation.Internal.PSEmbeddedMonitorRunspaceInfo System.Management.Automation.Internal.SessionStateKeeper System.Management.Automation.Internal.ScriptBlockMemberMethodWrapper System.Management.Automation.Internal.ClassOps System.Management.Automation.Internal.ShouldProcessParameters System.Management.Automation.Internal.TransactionParameters System.Management.Automation.Internal.InternalTestHooks System.Management.Automation.Internal.StringDecorated System.Management.Automation.Internal.AlternateStreamData System.Management.Automation.Internal.AlternateDataStreamUtilities System.Management.Automation.Internal.SecuritySupport System.Management.Automation.Internal.PSRemotingCryptoHelper Microsoft.PowerShell.ToStringCodeMethods Microsoft.PowerShell.AdapterCodeMethods Microsoft.PowerShell.ProcessCodeMethods Microsoft.PowerShell.DeserializingTypeConverter Microsoft.PowerShell.PSAuthorizationManager Microsoft.PowerShell.ExecutionPolicy Microsoft.PowerShell.ExecutionPolicyScope Microsoft.PowerShell.Telemetry.ApplicationInsightsTelemetry Microsoft.PowerShell.DesiredStateConfiguration.ArgumentToConfigurationDataTransformationAttribute Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscRemoteOperationsClass Microsoft.PowerShell.DesiredStateConfiguration.Internal.DscClassCache Microsoft.PowerShell.Commands.EnableDisableExperimentalFeatureCommandBase Microsoft.PowerShell.Commands.EnableExperimentalFeatureCommand Microsoft.PowerShell.Commands.DisableExperimentalFeatureCommand Microsoft.PowerShell.Commands.ExperimentalFeatureNameCompleter Microsoft.PowerShell.Commands.GetExperimentalFeatureCommand Microsoft.PowerShell.Commands.GetCommandCommand Microsoft.PowerShell.Commands.NounArgumentCompleter Microsoft.PowerShell.Commands.HistoryInfo Microsoft.PowerShell.Commands.GetHistoryCommand Microsoft.PowerShell.Commands.InvokeHistoryCommand Microsoft.PowerShell.Commands.AddHistoryCommand Microsoft.PowerShell.Commands.ClearHistoryCommand Microsoft.PowerShell.Commands.ForEachObjectCommand Microsoft.PowerShell.Commands.WhereObjectCommand Microsoft.PowerShell.Commands.SetPSDebugCommand Microsoft.PowerShell.Commands.SetStrictModeCommand Microsoft.PowerShell.Commands.StrictModeVersionArgumentCompleter Microsoft.PowerShell.Commands.ExportModuleMemberCommand Microsoft.PowerShell.Commands.GetModuleCommand Microsoft.PowerShell.Commands.PSEditionArgumentCompleter Microsoft.PowerShell.Commands.ImportModuleCommand Microsoft.PowerShell.Commands.ModuleCmdletBase Microsoft.PowerShell.Commands.ModuleSpecification Microsoft.PowerShell.Commands.NewModuleCommand Microsoft.PowerShell.Commands.NewModuleManifestCommand Microsoft.PowerShell.Commands.RemoveModuleCommand Microsoft.PowerShell.Commands.TestModuleManifestCommand Microsoft.PowerShell.Commands.ObjectEventRegistrationBase Microsoft.PowerShell.Commands.ConnectPSSessionCommand Microsoft.PowerShell.Commands.RegisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.PSSessionConfigurationCommandBase Microsoft.PowerShell.Commands.UnregisterPSSessionConfigurationCommand Microsoft.PowerShell.Commands.GetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.SetPSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.DisablePSSessionConfigurationCommand Microsoft.PowerShell.Commands.EnablePSRemotingCommand Microsoft.PowerShell.Commands.DisablePSRemotingCommand Microsoft.PowerShell.Commands.GetPSSessionCapabilityCommand Microsoft.PowerShell.Commands.DebugJobCommand Microsoft.PowerShell.Commands.DisconnectPSSessionCommand Microsoft.PowerShell.Commands.EnterPSHostProcessCommand Microsoft.PowerShell.Commands.ExitPSHostProcessCommand Microsoft.PowerShell.Commands.GetPSHostProcessInfoCommand Microsoft.PowerShell.Commands.PSHostProcessInfo Microsoft.PowerShell.Commands.GetJobCommand Microsoft.PowerShell.Commands.GetPSSessionCommand Microsoft.PowerShell.Commands.InvokeCommandCommand Microsoft.PowerShell.Commands.NewPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.NewPSRoleCapabilityFileCommand Microsoft.PowerShell.Commands.WSManConfigurationOption Microsoft.PowerShell.Commands.NewPSTransportOptionCommand Microsoft.PowerShell.Commands.NewPSSessionOptionCommand Microsoft.PowerShell.Commands.NewPSSessionCommand Microsoft.PowerShell.Commands.ExitPSSessionCommand Microsoft.PowerShell.Commands.PSRemotingCmdlet Microsoft.PowerShell.Commands.PSRemotingBaseCmdlet Microsoft.PowerShell.Commands.PSExecutionCmdlet Microsoft.PowerShell.Commands.PSRunspaceCmdlet Microsoft.PowerShell.Commands.SessionFilterState Microsoft.PowerShell.Commands.EnterPSSessionCommand Microsoft.PowerShell.Commands.ReceiveJobCommand Microsoft.PowerShell.Commands.ReceivePSSessionCommand Microsoft.PowerShell.Commands.OutTarget Microsoft.PowerShell.Commands.JobCmdletBase Microsoft.PowerShell.Commands.RemoveJobCommand Microsoft.PowerShell.Commands.RemovePSSessionCommand Microsoft.PowerShell.Commands.StartJobCommand Microsoft.PowerShell.Commands.StopJobCommand Microsoft.PowerShell.Commands.TestPSSessionConfigurationFileCommand Microsoft.PowerShell.Commands.WaitJobCommand Microsoft.PowerShell.Commands.OpenMode Microsoft.PowerShell.Commands.PSPropertyExpressionResult Microsoft.PowerShell.Commands.PSPropertyExpression Microsoft.PowerShell.Commands.FormatDefaultCommand Microsoft.PowerShell.Commands.OutNullCommand Microsoft.PowerShell.Commands.OutDefaultCommand Microsoft.PowerShell.Commands.OutHostCommand Microsoft.PowerShell.Commands.OutLineOutputCommand Microsoft.PowerShell.Commands.HelpCategoryInvalidException Microsoft.PowerShell.Commands.GetHelpCommand Microsoft.PowerShell.Commands.GetHelpCodeMethods Microsoft.PowerShell.Commands.HelpNotFoundException Microsoft.PowerShell.Commands.SaveHelpCommand Microsoft.PowerShell.Commands.UpdatableHelpCommandBase Microsoft.PowerShell.Commands.UpdateHelpScope Microsoft.PowerShell.Commands.UpdateHelpCommand Microsoft.PowerShell.Commands.AliasProvider Microsoft.PowerShell.Commands.AliasProviderDynamicParameters Microsoft.PowerShell.Commands.EnvironmentProvider Microsoft.PowerShell.Commands.FileSystemProvider Microsoft.PowerShell.Commands.FileSystemContentDynamicParametersBase Microsoft.PowerShell.Commands.FileSystemClearContentDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentWriterDynamicParameters Microsoft.PowerShell.Commands.FileSystemContentReaderDynamicParameters Microsoft.PowerShell.Commands.FileSystemItemProviderDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderGetItemDynamicParameters Microsoft.PowerShell.Commands.FileSystemProviderRemoveItemDynamicParameters Microsoft.PowerShell.Commands.InternalSymbolicLinkLinkCodeMethods Microsoft.PowerShell.Commands.FunctionProvider Microsoft.PowerShell.Commands.FunctionProviderDynamicParameters Microsoft.PowerShell.Commands.RegistryProvider Microsoft.PowerShell.Commands.RegistryProviderSetItemDynamicParameter Microsoft.PowerShell.Commands.SessionStateProviderBase Microsoft.PowerShell.Commands.SessionStateProviderBaseContentReaderWriter Microsoft.PowerShell.Commands.VariableProvider Microsoft.PowerShell.Commands.Internal.RemotingErrorResources Microsoft.PowerShell.Commands.Internal.Format.FrontEndCommandBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatShapeCommandBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableAndListBase Microsoft.PowerShell.Commands.Internal.Format.OuterFormatTableBase Microsoft.PowerShell.Cim.CimInstanceAdapter Microsoft.PowerShell.Cmdletization.MethodInvocationInfo Microsoft.PowerShell.Cmdletization.MethodParameterBindings Microsoft.PowerShell.Cmdletization.MethodParameter Microsoft.PowerShell.Cmdletization.CmdletAdapter`1[TObjectInstance] Microsoft.PowerShell.Cmdletization.BehaviorOnNoMatch Microsoft.PowerShell.Cmdletization.QueryBuilder Microsoft.PowerShell.Cmdletization.Xml.ConfirmImpact Microsoft.PowerShell.Cmdletization.Xml.ItemsChoiceType System.Management.Automation.ModuleIntrinsics+PSModulePathScope System.Management.Automation.PSStyle+ForegroundColor System.Management.Automation.PSStyle+BackgroundColor System.Management.Automation.PSStyle+ProgressConfiguration System.Management.Automation.PSStyle+FormattingData System.Management.Automation.PSStyle+FileInfoFormatting System.Management.Automation.VTUtility+VT System.Management.Automation.Subsystem.SubsystemInfo+ImplementationInfo System.Management.Automation.Host.PSHostUserInterface+FormatStyle System.Management.Automation.PSStyle+FileInfoFormatting+FileExtensionDictionary", + "IsFullyTrusted": true, + "CustomAttributes": "[System.Runtime.CompilerServices.ExtensionAttribute()] [System.Runtime.CompilerServices.CompilationRelaxationsAttribute((Int32)8)] [System.Runtime.CompilerServices.RuntimeCompatibilityAttribute(WrapNonExceptionThrows = True)] [System.Diagnostics.DebuggableAttribute((System.Diagnostics.DebuggableAttribute+DebuggingModes)2)] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"powershell-tests,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"powershell-perf,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Commands.Utility,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Commands.Management,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.Security,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"System.Management.Automation.Remoting,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.ConsoleHost,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.CompilerServices.InternalsVisibleToAttribute(\"Microsoft.PowerShell.DscSubsystem,PublicKey=0024000004800000940000000602000000240000525341310004000001000100b5fc90e7027f67871e773a8fde8938c81dd402ba65b9201d60593e96c492651e889cc13f1415ebb53fac1131ae0bd333c5ee6021672d9718ea31a8aebd0da0072f25d87dba6fc90ffd598ed4da35e44c398c454307e8e33b8426143daec9f596836f97c8f74750e5975c64e2189f45def46b2a2b1247adc3652bf5c308055da9\")] [System.Runtime.Versioning.TargetFrameworkAttribute(\".NETCoreApp,Version=v9.0\", FrameworkDisplayName = \".NET 9.0\")] [System.Reflection.AssemblyCompanyAttribute(\"Microsoft Corporation\")] [System.Reflection.AssemblyConfigurationAttribute(\"Release\")] [System.Reflection.AssemblyCopyrightAttribute(\"(c) Microsoft Corporation.\")] [System.Reflection.AssemblyDescriptionAttribute(\"PowerShell's System.Management.Automation project\")] [System.Reflection.AssemblyFileVersionAttribute(\"7.5.2.500\")] [System.Reflection.AssemblyInformationalVersionAttribute(\"7.5.2 SHA: d1a57af02c719f2f1695425f5124bbbf218dbf77+d1a57af02c719f2f1695425f5124bbbf218dbf77\")] [System.Reflection.AssemblyProductAttribute(\"PowerShell\")] [System.Reflection.AssemblyTitleAttribute(\"PowerShell 7\")] [System.Resources.NeutralResourcesLanguageAttribute(\"en-US\")]", + "EscapedCodeBase": "file:///C:/Program%20Files/PowerShell/7/System.Management.Automation.dll", + "Modules": "System.Management.Automation.dll", + "SecurityRuleSet": 0 + }, + "BaseType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Management.Automation.Internal.ParsingBaseAttribute", + "AssemblyQualifiedName": "System.Management.Automation.Internal.ParsingBaseAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Namespace": "System.Management.Automation.Internal", + "GUID": "b9f56e08-d077-381e-8eb1-4e2e0b7ee64f", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "ParsingBaseAttribute", + "DeclaringType": null, + "Assembly": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "BaseType": "System.Management.Automation.Internal.CmdletMetadataAttribute", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33556137, + "Module": "System.Management.Automation.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Management.Automation.Internal.ParsingBaseAttribute", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "Void .ctor()", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048705, + "IsAbstract": true, + "IsImport": false, + "IsSealed": false, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "[System.AttributeUsageAttribute((System.AttributeTargets)32767)]" + }, + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554546, + "Module": { + "MDStreamVersion": 131072, + "FullyQualifiedName": "C:\\Program Files\\PowerShell\\7\\System.Management.Automation.dll", + "ModuleVersionId": "324dba52-7d2f-4354-9396-b48bdf720d93", + "MetadataToken": 1, + "ScopeName": "System.Management.Automation.dll", + "Name": "System.Management.Automation.dll", + "Assembly": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "ModuleHandle": "System.ModuleHandle", + "CustomAttributes": "[System.Security.UnverifiableCodeAttribute()] [System.Runtime.CompilerServices.RefSafetyRulesAttribute((Int32)11)]" + }, + "ReflectedType": null, + "TypeHandle": { + "Value": { + "value": 140712131141320 + } + }, + "UnderlyingSystemType": { + "IsCollectible": false, + "DeclaringMethod": null, + "FullName": "System.Management.Automation.HiddenAttribute", + "AssemblyQualifiedName": "System.Management.Automation.HiddenAttribute, System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "Namespace": "System.Management.Automation", + "GUID": "b23a193d-6855-366c-b01b-00350a94e834", + "IsEnum": false, + "IsByRefLike": false, + "IsConstructedGenericType": false, + "IsGenericType": false, + "IsGenericTypeDefinition": false, + "GenericParameterAttributes": null, + "IsSZArray": false, + "GenericParameterPosition": null, + "ContainsGenericParameters": false, + "StructLayoutAttribute": "System.Runtime.InteropServices.StructLayoutAttribute", + "IsFunctionPointer": false, + "IsUnmanagedFunctionPointer": false, + "Name": "HiddenAttribute", + "DeclaringType": null, + "Assembly": "System.Management.Automation, Version=7.5.0.500, Culture=neutral, PublicKeyToken=31bf3856ad364e35", + "BaseType": "System.Management.Automation.Internal.ParsingBaseAttribute", + "IsGenericParameter": false, + "IsTypeDefinition": true, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "MemberType": 32, + "MetadataToken": 33554546, + "Module": "System.Management.Automation.dll", + "ReflectedType": null, + "TypeHandle": "System.RuntimeTypeHandle", + "UnderlyingSystemType": "System.Management.Automation.HiddenAttribute", + "GenericTypeParameters": "", + "DeclaredConstructors": "Void .ctor()", + "DeclaredEvents": "", + "DeclaredFields": "", + "DeclaredMembers": "Void .ctor()", + "DeclaredMethods": "", + "DeclaredNestedTypes": "", + "DeclaredProperties": "", + "ImplementedInterfaces": "", + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": "", + "Attributes": 1048833, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": "[System.AttributeUsageAttribute((System.AttributeTargets)992)]" + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + "Void .ctor()" + ], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [ + "Void .ctor()" + ], + "DeclaredMethods": [], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1048833, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [ + "[System.AttributeUsageAttribute((System.AttributeTargets)992)]" + ] + }, + "GenericTypeParameters": [], + "DeclaredConstructors": [ + { + "Name": ".ctor", + "MemberType": 1, + "DeclaringType": "System.Management.Automation.HiddenAttribute", + "ReflectedType": "System.Management.Automation.HiddenAttribute", + "MetadataToken": 100666621, + "Module": "System.Management.Automation.dll", + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 6278, + "CallingConvention": 33, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": true, + "IsFinal": false, + "IsHideBySig": true, + "IsSpecialName": true, + "IsStatic": false, + "IsVirtual": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "CustomAttributes": "", + "IsCollectible": true + } + ], + "DeclaredEvents": [], + "DeclaredFields": [], + "DeclaredMembers": [ + { + "Name": ".ctor", + "MemberType": 1, + "DeclaringType": "System.Management.Automation.HiddenAttribute", + "ReflectedType": "System.Management.Automation.HiddenAttribute", + "MetadataToken": 100666621, + "Module": "System.Management.Automation.dll", + "MethodHandle": "System.RuntimeMethodHandle", + "Attributes": 6278, + "CallingConvention": 33, + "IsSecurityCritical": true, + "IsSecuritySafeCritical": false, + "IsSecurityTransparent": false, + "ContainsGenericParameters": false, + "MethodImplementationFlags": 0, + "IsAbstract": false, + "IsConstructor": true, + "IsFinal": false, + "IsHideBySig": true, + "IsSpecialName": true, + "IsStatic": false, + "IsVirtual": false, + "IsAssembly": false, + "IsFamily": false, + "IsFamilyAndAssembly": false, + "IsFamilyOrAssembly": false, + "IsPrivate": false, + "IsPublic": true, + "IsConstructedGenericMethod": false, + "IsGenericMethod": false, + "IsGenericMethodDefinition": false, + "CustomAttributes": "", + "IsCollectible": true + } + ], + "DeclaredMethods": [], + "DeclaredNestedTypes": [], + "DeclaredProperties": [], + "ImplementedInterfaces": [], + "IsNested": false, + "IsArray": false, + "IsByRef": false, + "IsPointer": false, + "IsGenericTypeParameter": false, + "IsGenericMethodParameter": false, + "IsVariableBoundArray": false, + "HasElementType": false, + "GenericTypeArguments": [], + "Attributes": 1048833, + "IsAbstract": false, + "IsImport": false, + "IsSealed": true, + "IsSpecialName": false, + "IsClass": true, + "IsNestedAssembly": false, + "IsNestedFamANDAssem": false, + "IsNestedFamily": false, + "IsNestedFamORAssem": false, + "IsNestedPrivate": false, + "IsNestedPublic": false, + "IsNotPublic": false, + "IsPublic": true, + "IsAutoLayout": true, + "IsExplicitLayout": false, + "IsLayoutSequential": false, + "IsAnsiClass": true, + "IsAutoClass": false, + "IsUnicodeClass": false, + "IsCOMObject": false, + "IsContextful": false, + "IsMarshalByRef": false, + "IsPrimitive": false, + "IsValueType": false, + "IsSignatureType": false, + "TypeInitializer": null, + "IsSerializable": false, + "IsVisible": true, + "CustomAttributes": [ + { + "Constructor": "Void .ctor(System.AttributeTargets)", + "ConstructorArguments": "(System.AttributeTargets)992", + "NamedArguments": "", + "AttributeType": "System.AttributeUsageAttribute" + } + ] + } +} diff --git a/_Temp/RecursiveDictionary.ps1 b/_Temp/RecursiveDictionary.ps1 deleted file mode 100644 index d9a3754..0000000 --- a/_Temp/RecursiveDictionary.ps1 +++ /dev/null @@ -1,8 +0,0 @@ -using namespace system.collections -using namespace system.collections.generic - -class RecursiveDictionary : IDictionary { - - - -} \ No newline at end of file diff --git a/_Temp/RecursiveFunctionOutput.ps1 b/_Temp/RecursiveFunctionOutput.ps1 new file mode 100644 index 0000000..7a2158c --- /dev/null +++ b/_Temp/RecursiveFunctionOutput.ps1 @@ -0,0 +1,10 @@ +function Test($Depth = 0) { + if ($Depth -gt 99) { "Reached $Depth" } + else { + Test ($Depth + 1) + Start-Sleep -Milliseconds 100 + return + } +} + +Test diff --git a/_Temp/StaticClassScope.ps1 b/_Temp/StaticClassScope.ps1 new file mode 100644 index 0000000..6bfbc88 --- /dev/null +++ b/_Temp/StaticClassScope.ps1 @@ -0,0 +1,31 @@ +function Test { + param() + begin { + class MyClass { + static [Int]$Count + } + } + process { + $a = [MyClass]::new() + [MyClass]::Count++ + Write-Host 'Count:' ([MyClass]::Count) + $_ + } +} + +function Test1 { + param() + begin { + class MyClass { + static [Int]$Count + } + } + process { + $a = [MyClass]::new() + [MyClass]::Count++ + Write-Host 'Count:' ([MyClass]::Count) + $_ + } +} + +'a', 'b', 'c' | Test | Test1 \ No newline at end of file diff --git a/_Temp/Test-ObjectGraph copy.ps1 b/_Temp/Test-ObjectGraph copy.ps1 new file mode 100644 index 0000000..bd9fc06 --- /dev/null +++ b/_Temp/Test-ObjectGraph copy.ps1 @@ -0,0 +1,827 @@ +# using module .\..\..\..\ObjectGraphTools + +using namespace System.Management.Automation +using namespace System.Management.Automation.Language +using namespace System.Collections +using namespace System.Collections.Generic + +<# +.SYNOPSIS +Tests the properties of an object-graph. + +.DESCRIPTION +Tests an object-graph against a schema object by verifying that the properties of the object-graph +meet the constrains defined in the schema object. + +The schema object has the following major features: + +* Independent of the object notation (as e.g. [Json (JavaScript Object Notation)][2] or [PowerShell Data Files][3]) +* Each test node is at the same level as the input node being validated +* Complex node requirements (as mutual exclusive nodes) might be selected using a logical formula + +.EXAMPLE +#Test whether a `$Person` object meats the schema requirements. + + $Person = [PSCustomObject]@{ + FirstName = 'John' + LastName = 'Smith' + IsAlive = $True + Birthday = [DateTime]'Monday, October 7, 1963 10:47:00 PM' + Age = 27 + Address = [PSCustomObject]@{ + Street = '21 2nd Street' + City = 'New York' + State = 'NY' + PostalCode = '10021-3100' + } + Phone = @{ + Home = '212 555-1234' + Mobile = '212 555-2345' + Work = '212 555-3456', '212 555-3456', '646 555-4567' + } + Children = @('Dennis', 'Stefan') + Spouse = $Null + } + + $Schema = @{ + FirstName = @{ '@Type' = 'String' } + LastName = @{ '@Type' = 'String' } + IsAlive = @{ '@Type' = 'Bool' } + Birthday = @{ '@Type' = 'DateTime' } + Age = @{ + '@Type' = 'Int' + '@Minimum' = 0 + '@Maximum' = 99 + } + Address = @{ + '@Type' = 'PSMapNode' + Street = @{ '@Type' = 'String' } + City = @{ '@Type' = 'String' } + State = @{ '@Type' = 'String' } + PostalCode = @{ '@Type' = 'String' } + } + Phone = @{ + '@Type' = 'PSMapNode', $Null + Home = @{ '@Match' = '^\d{3} \d{3}-\d{4}$' } + Mobile = @{ '@Match' = '^\d{3} \d{3}-\d{4}$' } + Work = @{ '@Match' = '^\d{3} \d{3}-\d{4}$' } + } + Children = @(@{ '@Type' = 'String', $Null }) + Spouse = @{ '@Type' = 'String', $Null } + } + + $Person | Test-Object $Schema | Should -BeNullOrEmpty + +.PARAMETER InputObject +Specifies the object to test for validity against the schema object. +The object might be any object containing embedded (or even recursive) lists, dictionaries, objects or scalar +values received from a application or an object notation as Json or YAML using their related `ConvertFrom-*` +cmdlets. + +.PARAMETER SchemaObject +Specifies a schema to validate the JSON input against. By default, if any discrepancies, toy will be reported +in a object list containing the path to failed node, the value whether the node is valid or not and the issue. +If no issues are found, the output is empty. + +For details on the schema object, see the [schema object definitions][1] documentation. + +.PARAMETER ValidateOnly + +If set, the cmdlet will stop at the first invalid node and return the test result object. + +.PARAMETER Elaborate + +If set, the cmdlet will return the test result object for all tested nodes, even if they are valid +or ruled out in a possible list node branch selection. + +.PARAMETER AssertTestPrefix + +The prefix used to identify the assert test nodes in the schema object. By default, the prefix is `AssertTestPrefix`. + +.PARAMETER MaxDepth + +The maximal depth to recursively test each embedded node. +The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). + +.LINK + [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/SchemaObject.md "Schema object definitions" +#> + +[Alias('Test-Object', 'tso')] +[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri = 'https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( + + [Parameter(ParameterSetName = 'ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] + [Parameter(ParameterSetName = 'ResultList', Mandatory = $true, ValueFromPipeLine = $True)] + $InputObject, + + [Parameter(ParameterSetName = 'ValidateOnly', Mandatory = $true, Position = 0)] + [Parameter(ParameterSetName = 'ResultList', Mandatory = $true, Position = 0)] + $SchemaObject, + + [Parameter(ParameterSetName = 'ValidateOnly')] + [Switch]$ValidateOnly, + + [Parameter(ParameterSetName = 'ResultList')] + [Switch]$Elaborate, + + [Parameter(ParameterSetName = 'ValidateOnly')] + [Parameter(ParameterSetName = 'ResultList')] + [ValidateNotNullOrEmpty()][String]$AssertTestPrefix = 'AssertTestPrefix', + + [Parameter(ParameterSetName = 'ValidateOnly')] + [Parameter(ParameterSetName = 'ResultList')] + [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth +) + +begin { + $Script:Elaborate = $Elaborate + + $Script:Yield = { + $Name = "$Args" -replace '\W' + $Value = Get-Variable -Name $Name -ValueOnly -ErrorAction SilentlyContinue + if ($Value) { "$args" } + } + + $Script:Ordinal = @{$false = [StringComparer]::OrdinalIgnoreCase; $true = [StringComparer]::Ordinal } + + $Script:UniqueCollections = @{} + + # The maximum schema object depth is bound by the input object depth (+1 one for the leaf test definition) + $SchemaNode = [PSNode]::ParseInput($SchemaObject, ($MaxDepth + 2)) # +2 to be safe + $Script:AssertPrefix = if ($SchemaNode.Contains($AssertTestPrefix)) { $SchemaNode.Value[$AssertTestPrefix] } else { '@' } + + Enum ResultMode { + Validate # Only determines if the node is valid, if not the cmdlet is supposed to exit immediately + Output # Outputs the results immediately to the pipeline + Collect # Collects the results to match any potential node branch + } + + Class Result { + static [ResultMode]$Mode + static [Bool]$Failed + static [List[Object]]$List + + static [Bool]$Elaborate + static [Bool]$Debug + hidden static [Void]Initialize($ValidateOnly, $Elaborate, $Debug) { + [Result]::Mode = if ($ValidateOnly) { 'Validate' } else { 'Output' } + [Result]::List = $null + [Result]::Failed = $false + [Result]::Elaborate = $Elaborate + [Result]::Debug = $Debug + } + [PSNode]$ObjectNode + [PSNode]$SchemaNode + hidden [Bool]$CollectStage + + Result($ObjectNode, $SchemaNode) { + if ([Result]::Debug) { + $Tab = ' ' * ($SchemaNode.Depth * 2) + Write-Host "$Tab$([ParameterColor]'Caller:')" $this.GetCallerInfo() "(Mode: $([Result]::Mode))" + Write-Host "$Tab$([ParameterColor]'ObjectNode:')" $ObjectNode.Path '=' "$ObjectNode" + Write-Host "$Tab$([ParameterColor]'SchemaNode:')" $SchemaNode.Path '=' "$SchemaNode" + } + $this.ObjectNode = $ObjectNode + $this.SchemaNode = $SchemaNode + } + + [Object]Check([String]$Issue, [Bool]$Passed) { + + # Common test instance invocation: + # if (($Out = $Result.Check('My issue', $Passed)) -eq $false) { return } else { $Out } + + if (-not $Passed) { [Result]::Failed = $true } + + if ([Result]::Debug) { + $Tab = ' ' * ($this.SchemaNode.Depth * 2) + Write-Host "$Tab$([ParameterColor]'Return:')" $this.GetCallerInfo() "(Mode: $([Result]::Mode))" + Write-Host "$Tab$([ParameterColor]'Result:')" $Issue "($(if ($Passed) { 'Passed'} else { 'Failed' }))" + } + + if (-Not $Issue) { return @() } + if ([Result]::Mode -eq 'Validate' -and [Result]::Failed) { return $false } + # if (-not [Result]::Elaborate -and ([Result]::Mode -eq 'Collect' -or $Passed)) { return @() } + if (-not [Result]::Elaborate -and $Passed) { return @() } + + $TestResult = [PSCustomObject]@{ + ObjectNode = $this.ObjectNode + SchemaNode = $this.SchemaNode + Valid = $Passed + Issue = $Issue + } + $TestResult.PSTypeNames.Insert(0, 'TestResult') + if ([Result]::Mode -eq 'Output' -or [Result]::Elaborate) { return $TestResult } + [Result]::List.Add($TestResult) + return @() + } + + hidden [String]GetCallerInfo() { + $PSCallStack = Get-PSCallStack + if ($PSCallStack.Count -le 2) { return ''} + return "line $($PSCallStack[2].ScriptLineNumber): $($PSCallStack[2].InvocationInfo.Line.Trim())" + } + + Collect() { + if ([Result]::Mode -ne 'Output') { return } # Already in collect mode + [Result]::Mode = 'Collect' + [Result]::Failed = $false + $this.CollectStage = $true + [Result]::List = [List[Object]]::new() + } + + [object] Complete([Bool]$Output) { + if (-not $this.CollectStage) { return @() } # The result collection didn't start at this stage + [Result]::Mode = 'Output' + $this.CollectStage = $false + $Results = [Result]::List + [Result]::List = $null + if ($Output) { return $Results } else { return @() } + } + } + + function StopError($Exception, $Id = 'TestNode', $Category = [ErrorCategory]::SyntaxError, $Object) { + if ($Exception -is [ErrorRecord]) { $Exception = $Exception.Exception } + elseif ($Exception -isnot [Exception]) { $Exception = [ArgumentException]$Exception } + $PSCmdlet.ThrowTerminatingError([ErrorRecord]::new($Exception, $Id, $Category, $Object)) + } + + function SchemaError($Message, $ObjectNode, $SchemaNode, $Object = $SchemaObject) { + $Exception = [ArgumentException]"$([String]$SchemaNode) $Message" + $Exception.Data.Add('ObjectNode', $ObjectNode) + $Exception.Data.Add('SchemaNode', $SchemaNode) + StopError -Exception $Exception -Id 'SchemaError' -Category InvalidOperation -Object $Object + } + + $Script:Asserts = @{ + Description = 'Describes the test node' + References = 'Contains a list of assert references' + Type = 'The node or value is of type' + NotType = 'The node or value is not type' + CaseSensitive = 'The (descendant) node are considered case sensitive' + Required = 'The node is required' + Unique = 'The node is unique' + + Minimum = 'The value is greater than or equal to' + ExclusiveMinimum = 'The value is greater than' + ExclusiveMaximum = 'The value is less than' + Maximum = 'The value is less than or equal to' + + MinimumLength = 'The value length is greater than or equal to' + Length = 'The value length is equal to' + MaximumLength = 'The value length is less than or equal to' + + MinimumCount = 'The node count is greater than or equal to' + Count = 'The node count is equal to' + MaximumCount = 'The node count is less than or equal to' + + Like = 'The value is like' + Match = 'The value matches' + NotLike = 'The value is not like' + NotMatch = 'The value not matches' + + Ordered = 'The nodes are in order' + RequiredNodes = 'The node contains the nodes' + AllowExtraNodes = 'Allow extra nodes' + } + + $At = @{} + $Asserts.Get_Keys().Foreach{ $At[$_] = "$($AssertPrefix)$_" } + + function GetReference($LeafNode) { + # An assert node with a string value is a reference to another node + $TestNode = $LeafNode.ParentNode + $References = if ($TestNode) { + if (-not $TestNode.Cache.ContainsKey('TestReferences')) { + $Stack = [Stack]::new() + while ($true) { + $ParentNode = $TestNode.ParentNode + if ($ParentNode -and -not $ParentNode.Cache.ContainsKey('TestReferences')) { + $Stack.Push($TestNode) + $TestNode = $ParentNode + continue + } + $RefNode = if ($TestNode.Contains($At.References)) { $TestNode.GetChildNode($At.References) } + $CaseMatters = if ($RefNode) { $RefNode.CaseMatters } + $TestNode.Cache['TestReferences'] = [HashTable]::new($Ordinal[[Bool]$CaseMatters]) + if ($RefNode) { + foreach ($ChildNode in $RefNode.ChildNodes) { + if (-not $TestNode.Cache['TestReferences'].ContainsKey($ChildNode.Name)) { + $TestNode.Cache['TestReferences'][$ChildNode.Name] = $ChildNode + } + } + } + $ParentNode = $TestNode.ParentNode + if ($ParentNode) { + foreach ($RefName in $ParentNode.Cache['TestReferences'].get_Keys()) { + if (-not $TestNode.Cache['TestReferences'].ContainsKey($RefName)) { + $TestNode.Cache['TestReferences'][$RefName] = $ParentNode.Cache['TestReferences'][$RefName] + } + } + } + if ($Stack.Count -eq 0) { break } + $TestNode = $Stack.Pop() + } + } + $TestNode.Cache['TestReferences'] + } + else { @{} } + if ($References.Contains($LeafNode.Value)) { + $AssertNode.Cache['TestReferences'] = $References + $References[$LeafNode.Value] + } + else { SchemaError "Unknown reference: $LeafNode" $ObjectNode $LeafNode } + } + function TestNode ( + [PSNode]$ObjectNode, + [PSNode]$SchemaNode, + [Nullable[Bool]]$CaseSensitive # inherited the CaseSensitivity from the parent node if not defined + ) { + if ($SchemaNode -is [PSListNode] -and $SchemaNode.Count -eq 0) { return } # Allow any node + + $Result = [Result]::new($ObjectNode, $SchemaNode) + $Violates = $null + + $AssertValue = $ObjectNode.Value + + # Separate the assert nodes from the schema subnodes + $AssertNodes = [Ordered]@{} # $AssertNodes{] = $ChildNodes.@ + if ($SchemaNode -is [PSMapNode]) { + $TestNodes = [List[PSNode]]::new() + foreach ($Node in $SchemaNode.ChildNodes) { + if ($Null -eq $Node.ParentNode.ParentNode -and $Node.Name -eq $AssertTestPrefix) { continue } + if ($Node.Name.StartsWith($AssertPrefix)) { + $TestName = $Node.Name.SubString($AssertPrefix.Length) + if ($TestName -notin $Asserts.Keys) { SchemaError "Unknown assert: '$($Node.Name)'" $ObjectNode $SchemaNode } + $AssertNodes[$TestName] = $Node + } + else { $TestNodes.Add($Node) } + } + } + elseif ($SchemaNode -is [PSListNode]) { $TestNodes = $SchemaNode.ChildNodes } + else { $TestNodes = @() } + + if ($AssertNodes.Contains('CaseSensitive')) { $CaseSensitive = [Nullable[Bool]]$AssertNodes['CaseSensitive'] } + $AllowExtraNodes = if ($AssertNodes.Contains('AllowExtraNodes')) { $AssertNodes['AllowExtraNodes'] } + + $MatchedNames = [HashSet[Object]]::new() + $MatchedAsserts = $Null + foreach ($TestName in $AssertNodes.get_Keys()) { + + #Region Node assertions + + $AssertNode = $AssertNodes[$TestName] + $Criteria = $AssertNode.Value + $Violates = $null # is either a boolean ($true if invalid) or a string with what was expected + if ($TestName -eq 'Description') { $Null } + elseif ($TestName -eq 'References') { } + elseif ($TestName -in 'Type', 'notType') { + $FoundType = foreach ($TypeName in $Criteria) { + if ($TypeName -in $null, 'Null', 'Void') { + if ($null -eq $AssertValue) { $true; break } + } + elseif ($TypeName -is [Type]) { $Type = $TypeName } else { + $Type = $TypeName -as [Type] + if (-not $Type) { + SchemaError "Unknown type: $TypeName" $ObjectNode $SchemaNode + } + } + if ($ObjectNode -is $Type -or $AssertValue -is $Type) { $true; break } + } + $Not = $TestName.StartsWith('Not', 'OrdinalIgnoreCase') + if ($null -eq $FoundType -xor $Not) { $Violates = "The node $ObjectNode is $(if (!$Not) { 'not ' })of type $AssertNode" } + } + elseif ($TestName -eq 'CaseSensitive') { + if ($null -ne $Criteria -and $Criteria -isnot [Bool]) { + SchemaError "The case sensitivity value should be a boolean: $Criteria" $ObjectNode $SchemaNode + } + } + elseif ($TestName -in 'Minimum', 'ExclusiveMinimum', 'ExclusiveMaximum', 'Maximum') { + if ($null -eq $AllowExtraNodes) { $AllowExtraNodes = $true } + $ValueNodes = if ($ObjectNode -is [PSCollectionNode]) { $ObjectNode.ChildNodes } else { @($ObjectNode) } + foreach ($ValueNode in $ValueNodes) { + $Value = $ValueNode.Value + if ($Value -isnot [String] -and $Value -isnot [ValueType]) { + $Violates = "The value '$Value' is not a string or value type" + } + elseif ($TestName -eq 'Minimum') { + $IsValid = + if ($CaseSensitive -eq $true) { $Criteria -cle $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } + else { $Criteria -le $Value } + if (-not $IsValid) { + $Violates = "The $(&$Yield '(case sensitive) ')value $Value is less or equal than $AssertNode" + } + } + elseif ($TestName -eq 'ExclusiveMinimum') { + $IsValid = + if ($CaseSensitive -eq $true) { $Criteria -clt $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } + else { $Criteria -lt $Value } + if (-not $IsValid) { + $Violates = "The $(&$Yield '(case sensitive) ')value $Value is less than $AssertNode" + } + } + elseif ($TestName -eq 'ExclusiveMaximum') { + $IsValid = + if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } + else { $Criteria -gt $Value } + if (-not $IsValid) { + $Violates = "The $(&$Yield '(case sensitive) ')value $Value is greater than $AssertNode" + } + } + else { + # if ($TestName -eq 'Maximum') { + $IsValid = + if ($CaseSensitive -eq $true) { $Criteria -cge $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } + else { $Criteria -ge $Value } + if (-not $IsValid) { + $Violates = "The $(&$Yield '(case sensitive) ')value $Value is greater than $AssertNode" + } + } + if ($Violates) { break } + } + } + + elseif ($TestName -in 'MinimumLength', 'Length', 'MaximumLength') { + if ($null -eq $AllowExtraNodes) { $AllowExtraNodes = $true } + $ValueNodes = if ($ObjectNode -is [PSCollectionNode]) { $ObjectNode.ChildNodes } else { @($ObjectNode) } + foreach ($ValueNode in $ValueNodes) { + $Value = $ValueNode.Value + if ($Value -isnot [String] -and $Value -isnot [ValueType]) { + $Violates = "The value '$Value' is not a string or value type" + break + } + $Length = "$Value".Length + if ($TestName -eq 'MinimumLength') { + if ($Length -lt $Criteria) { + $Violates = "The string length of '$Value' ($Length) is less than $AssertNode" + } + } + elseif ($TestName -eq 'Length') { + if ($Length -ne $Criteria) { + $Violates = "The string length of '$Value' ($Length) is not equal to $AssertNode" + } + } + else { + # if ($TestName -eq 'MaximumLength') { + if ($Length -gt $Criteria) { + $Violates = "The string length of '$Value' ($Length) is greater than $AssertNode" + } + } + if ($Violates) { break } + } + } + + elseif ($TestName -in 'Like', 'NotLike', 'Match', 'NotMatch') { + if ($null -eq $AllowExtraNodes) { $AllowExtraNodes = $true } + $Negate = $TestName.StartsWith('Not', 'OrdinalIgnoreCase') + $Match = $TestName.EndsWith('Match', 'OrdinalIgnoreCase') + $ValueNodes = if ($ObjectNode -is [PSCollectionNode]) { $ObjectNode.ChildNodes } else { @($ObjectNode) } + foreach ($ValueNode in $ValueNodes) { + $Value = $ValueNode.Value + if ($Value -isnot [String] -and $Value -isnot [ValueType]) { + $Violates = "The value '$Value' is not a string or value type" + break + } + $Found = $false + foreach ($AnyCriteria in $Criteria) { + $Found = if ($Match) { + if ($true -eq $CaseSensitive) { $Value -cmatch $AnyCriteria } + elseif ($false -eq $CaseSensitive) { $Value -imatch $AnyCriteria } + else { $Value -match $AnyCriteria } + } + else { + # if ($TestName.EndsWith('Link', 'OrdinalIgnoreCase')) { + if ($true -eq $CaseSensitive) { $Value -clike $AnyCriteria } + elseif ($false -eq $CaseSensitive) { $Value -ilike $AnyCriteria } + else { $Value -like $AnyCriteria } + } + if ($Found) { break } + } + $IsValid = $Found -xor $Negate + if (-not $IsValid) { + $Not = if (-not $Negate) { ' not' } + $Violates = + if ($Match) { "The $(&$Yield '(case sensitive) ')value $Value does$not match $AssertNode" } + else { "The $(&$Yield '(case sensitive) ')value $Value is$not like $AssertNode" } + } + } + } + + elseif ($TestName -in 'MinimumCount', 'Count', 'MaximumCount') { + if ($ObjectNode -isnot [PSCollectionNode]) { + $Violates = "The node $ObjectNode is not a collection node" + } + elseif ($TestName -eq 'MinimumCount') { + if ($ChildNodes.Count -lt $Criteria) { + $Violates = "The node count ($($ChildNodes.Count)) is less than $AssertNode" + } + } + elseif ($TestName -eq 'Count') { + if ($ChildNodes.Count -ne $Criteria) { + $Violates = "The node count ($($ChildNodes.Count)) is not equal to $AssertNode" + } + } + else { + # if ($TestName -eq 'MaximumCount') { + if ($ChildNodes.Count -gt $Criteria) { + $Violates = "The node count ($($ChildNodes.Count)) is greater than $AssertNode" + } + } + } + + elseif ($TestName -eq 'Required') { } + elseif ($TestName -eq 'Unique' -and $Criteria) { + if (-not $ObjectNode.ParentNode) { + SchemaError "The unique assert can't be used on a root node" $ObjectNode $SchemaNode + } + if ($Criteria -eq $true) { $UniqueCollection = $ObjectNode.ParentNode.ChildNodes } + elseif ($Criteria -is [String]) { + if (-not $UniqueCollections.Contains($Criteria)) { + $UniqueCollections[$Criteria] = [List[PSNode]]::new() + } + $UniqueCollection = $UniqueCollections[$Criteria] + } + else { SchemaError "The unique assert value should be a boolean or a string" $ObjectNode $SchemaNode } + $ObjectComparer = [ObjectComparer]::new([ObjectComparison][Int][Bool]$CaseSensitive) + foreach ($UniqueNode in $UniqueCollection) { + if ([object]::ReferenceEquals($ObjectNode, $UniqueNode)) { continue } # Self + if ($ObjectComparer.IsEqual($ObjectNode, $UniqueNode)) { + $Violates = "The node $ObjectNode is equal to the node: $($UniqueNode.Path)" + break + } + } + if ($Criteria -is [String]) { $UniqueCollection.Add($ObjectNode) } + } + elseif ($TestName -eq 'AllowExtraNodes') {} + elseif ($TestName -in 'Ordered', 'RequiredNodes') { + if ($ObjectNode -isnot [PSCollectionNode]) { + $Violates = "The '$($AssertNode.Name)' is not a collection node" + } + } + else { SchemaError "Unknown assert node: $TestName" $ObjectNode $SchemaNode } + + #EndRegion Node assertions + + $Issue = + if ($Violates -is [String]) { $Violates } + elseif ($Criteria -eq $true) { $($Asserts[$TestName]) } + else { "$($Asserts[$TestName] -replace 'The value ', "The value $ObjectNode ") $AssertNode" } + if (($Out = $Result.Check($Issue, (-not $Violates))) -eq $false) { return } else { $Out } + if ($Violates) { return } + } + + #Region Required nodes + + if ($TestNodes.Count -and -not $AssertNodes.Contains('Type')) { + if ($SchemaNode -is [PSListNode] -and $ObjectNode -isnot [PSListNode]) { + $Violates = "The node $ObjectNode is not a list node" + } + if ($SchemaNode -is [PSMapNode] -and $ObjectNode -isnot [PSMapNode]) { + $Violates = "The node $ObjectNode is not a map node" + } + } + + $LogicalFormulas = $null + $RequiredList = [List[Object]]::new() + if (-not $Violates) { + $RequiredNodes = $AssertNodes['RequiredNodes'] + $CaseSensitiveNames = if ($ObjectNode -is [PSMapNode]) { $ObjectNode.CaseMatters } + $MatchedAsserts = [HashTable]::new($Ordinal[[Bool]$CaseSensitiveNames]) + + if ($RequiredNodes) { $RequiredList = [List[Object]]$RequiredNodes.Value } + foreach ($TestNode in $TestNodes) { + $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } + if ($AssertNode -is [PSMapNode] -and $AssertNode.GetValue($At.Required)) { $RequiredList.Add($TestNode.Name) } + } + + $LogicalFormulas = foreach ($Requirement in $RequiredList) { + $LogicalFormula = [LogicalFormula]$Requirement + if ($LogicalFormula.Terms.Count -gt 1) { $Result.Collect() } + $LogicalFormula + } + + foreach ($LogicalFormula in $LogicalFormulas) { + $Enumerator = $LogicalFormula.Terms.GetEnumerator() + $Stack = [Stack]::new() + $Stack.Push(@{ + Enumerator = $Enumerator + Accumulator = $null + Operator = $null + Negate = $null + }) + $Term, $Operand, $Accumulator = $null + while ($Stack.Count -gt 0) { + # Accumulator = Accumulator Operand + # if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} + $Pop = $Stack.Pop() + $Enumerator = $Pop.Enumerator + $Operator = $Pop.Operator + if ($null -eq $Operator) { $Operand = $Pop.Accumulator } + else { $Operand, $Accumulator = $Accumulator, $Pop.Accumulator } + $Negate = $Pop.Negate + $Compute = $null -notin $Operand, $Operator, $Accumulator + while ($Compute -or $Enumerator.MoveNext()) { + if ($Compute) { $Compute = $false } + else { + $Term = $Enumerator.Current + if ($Term -is [LogicalVariable]) { + $Name = $Term.Value + if (-not $MatchedAsserts.ContainsKey($Name)) { + if (-not $SchemaNode.Contains($Name)) { + SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode + } + $MatchCount0 = $MatchedNames.Count + $ScanParams = @{ + ObjectNode = $ObjectNode + TestNode = $SchemaNode.GetChildNode($Name) + Ordered = $AssertNodes['Ordered'] + CaseSensitive = $CaseSensitive + MatchAll = $false + MatchedNames = $MatchedNames + } + QueryChildNodes @ScanParams + [Result]::Failed = $false # The (negated) formula determines the validation (not the individual tests) + $MatchedAsserts[$Name] = $MatchedNames.Count -gt $MatchCount0 + } + $Operand = $MatchedAsserts[$Name] + } + elseif ($Term -is [LogicalOperator]) { + if ($Term.Value -eq 'Not') { $Negate = -not $Negate } + elseif ($null -eq $Operator -and $null -ne $Accumulator) { $Operator = $Term.Value } + else { SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode } + } + elseif ($Term -is [LogicalFormula]) { + $Stack.Push(@{ + Enumerator = $Enumerator + Accumulator = $Accumulator + Operator = $Operator + Negate = $Negate + }) + $Accumulator, $Operator, $Negate = $null + $Enumerator = $Term.Terms.GetEnumerator() + continue + } + else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } + } + if ($null -ne $Operand) { + if ($null -eq $Accumulator -xor $null -eq $Operator) { + if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } + else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } + } + $Operand = $Operand -xor $Negate + $Negate = $null + if ($Operator -eq 'And') { + $Operator = $null + if ($Accumulator -eq $false -and -not $AllowExtraNodes) { break } + $Accumulator = $Accumulator -and $Operand + } + elseif ($Operator -eq 'Or') { + $Operator = $null + if ($Accumulator -eq $true -and -not $AllowExtraNodes) { break } + $Accumulator = $Accumulator -or $Operand + } + elseif ($Operator -eq 'Xor') { + $Operator = $null + $Accumulator = $Accumulator -xor $Operand + } + else { $Accumulator = $Operand } + $Operand = $Null + } + } + if ($null -ne $Operator -or $null -ne $Negate) { + SchemaError "Missing variable after $Operator" $ObjectNode $SchemaNode + } + } + if ($Accumulator -eq $false) { + $Violates = "The child node requirement $LogicalFormula is not met" + break + } + } + } + + $Result.Complete([Bool]$Violates) + $issue = + if ($Violates) { $Violates } + elseif ($LogicalFormulas) { "The child node requirement $LogicalFormulas is met" } + else { 'There are no child node requirements' } + if (($Out = $Result.Check($Issue, (-not $Violates))) -eq $false) { return } else { $Out } + # if ($Violates) { return } + + #EndRegion Required nodes + + #Region Optional nodes + + if ($ObjectNode -is [PSLeafNode]) { return } + $ChildNodes = $ObjectNode.ChildNodes + foreach ($TestNode in $TestNodes) { + if ($MatchedNames.Count -ge $ChildNodes.Count) { break } + if ($MatchedAsserts.Contains($TestNode.Name)) { continue } + $MatchCount0 = $MatchedNames.Count + $ScanParams = @{ + ObjectNode = $ObjectNode + TestNode = $TestNode + Ordered = $AssertNodes['Ordered'] + CaseSensitive = $CaseSensitive + MatchAll = -not $AllowExtraNodes + MatchedNames = $MatchedNames + } + QueryChildNodes @ScanParams + if ($AllowExtraNodes -and $MatchedNames.Count -eq $MatchCount0) { + $Violates = "When extra nodes are allowed, the node $ObjectNode should be accepted" + break + } + $MatchedAsserts[$TestNode.Name] = $MatchedNames.Count -gt $MatchCount0 + } + + if (-not $AllowExtraNodes -and $MatchedNames.Count -lt $ChildNodes.Count) { + [Result]::Failed = $true + $Count = 0; $LastName = $Null + $IsTested = $false + $Names = foreach ($Name in $ChildNodes.Name) { + if ($MatchedNames.Contains($Name)) { continue } + if ($TestNodes -and $Name -in $TestNodes.Name) { $IsTested = $true } + if ($Count++ -lt 4) { + if ($ObjectNode -is [PSListNode]) { [CommandColor]$Name } + else { [StringColor][PSKeyExpression]::new($Name) } + } + else { $LastName = $Name } + } + if ($LogicalFormulas -or -not $IsTested -or [Result]::Elaborate) { + $Violates = "The following nodes are not accepted: $($Names -join ', ')" + if ($LastName) { + $LastName = if ($ObjectNode -is [PSListNode]) { [CommandColor]$LastName } + else { [StringColor][PSKeyExpression]::new($LastName, [PSSerialize]::MaxKeyLength) } + $Violates += " .. $LastName" + } + } + } + + if (-not $Violates) { return } + if (($Out = $Result.Check($Violates, (-not $Violates))) -eq $false) { return } else { $Out } + + #EndRegion Optional nodes + } + + function QueryChildNodes ( + [PSNode]$ObjectNode, + [PSNode]$TestNode, + [Switch]$Ordered, + [Nullable[Bool]]$CaseSensitive, + [Switch]$MatchAll, + $MatchedNames + ) { + $Result = [Result]::new($ObjectNode, $SchemaNode) + $Violates = $null + $Name = $TestNode.Name + $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } + $ChildNodes = $null + if ($ObjectNode -is [PSMapNode] -and $TestNode.NodeOrigin -eq 'Map') { + if ($ObjectNode.Contains($Name)) { + if ($Ordered -and $ObjectNode.IndexOf($ObjectNode.ChildNodes) -ne $TestNodes.IndexOf($TestNode)) { + $Violates = "The node $Name is not in order" + } else { $ChildNodes = $ObjectNode.GetChildNode($Name) } + } + else { $Violates = "The node $Name does not exist" } + } + elseif ($ObjectNode.ChildNodes.Count -eq 1) { $ChildNodes = $ObjectNode.ChildNodes[0] } + elseif ($Ordered) { + $NodeIndex = $TestNodes.IndexOf($TestNode) + if ($NodeIndex -ge $ObjectNode.ChildNodes.Count) { + $Violates = "Expected at least $($TestNodes.Count) (ordered) nodes" + } else { $ChildNodes = $ObjectNode.ChildNodes[$NodeIndex] } + } + else { $ChildNodes = $ObjectNode.ChildNodes} + + if ($ChildNodes -is [PSNode]) { # There is only one child node to match + TestNode -ObjectNode $ChildNodes -SchemaNode $AssertNode -CaseSensitive $CaseSensitive + if ([Result]::Failed) { [Result]::Failed = $false } + else { $null = $MatchedNames.Add($ChildNodes.Name) } + } + elseif ($ChildNodes) { # There are multiple child nodes to match + $Result.Collect() + $MatchCount0 = $MatchedNames.Count + foreach ($ChildNode in $ChildNodes) { + if ($MatchedNames.Contains($ChildNode.Name)) { continue } + TestNode -ObjectNode $ChildNode -SchemaNode $AssertNode -CaseSensitive $CaseSensitive + if ([Result]::Failed) { [Result]::Failed = $false } + else { $null = $MatchedNames.Add($ChildNodes.Name) } + } + $TotalFound = $MatchedNames.Count - $MatchCount0 + $Missing = $TotalFound -eq 0 -or ($MatchAll -and $TotalFound -lt $ChildNodes.Count) + $Result.Complete($Missing) + } + elseif (-not $Violates) { $Violates = "The node $ObjectNode has no child nodes" } + + if (($Out = $Result.Check($Violates, (-not $Violates))) -eq $false) { return } else { $Out } + } +} + +process { + [Result]::Initialize($ValidateOnly, $Elaborate, ($DebugPreference -in 'Stop', 'Continue', 'Inquire')) # This cmdlet can only be invoked once in a single pipeline + $ObjectNode = [PSNode]::ParseInput($InputObject, $MaxDepth) + TestNode $ObjectNode $SchemaNode + if ($ValidateOnly) { -not [Result]::Failed } +} diff --git a/_Temp/Test-ObjectGraph copy1.ps1 b/_Temp/Test-ObjectGraph copy1.ps1 deleted file mode 100644 index 7103ca6..0000000 --- a/_Temp/Test-ObjectGraph copy1.ps1 +++ /dev/null @@ -1,467 +0,0 @@ -using module .\..\..\ObjectGraphTools.psm1 - -using namespace System.Management.Automation -using namespace System.Management.Automation.Language -using namespace System.Collections -using namespace System.Collections.Generic - -<# -.SYNOPSIS - Tests the properties of an object-graph. - -.DESCRIPTION - Tests an object-graph against a schema object by verifying that the properties of the object-graph - meet the constrains defined in the schema object. - - Statements: - * Requires defines the test order - -#> - -[Alias('Test-Object', 'tso')] -[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( - - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, ValueFromPipeLine = $True)] - $InputObject, - - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, Position = 0)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, Position = 0)] - $SchemaObject, - - [Parameter(ParameterSetName='ValidateOnly')] - [Switch]$ValidateOnly, - - [Parameter(ParameterSetName='ResultList')] - [Alias('All')][Switch]$IncludeAll, - - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] - $AssertPrefix = '@', - - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] - [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth -) - -begin { - -# JsonSchema Properties -# Schema properties: [NewtonSoft.Json.Schema.JsonSchema]::New() | Get-Member -# https://www.newtonsoft.com/json/help/html/Properties_T_Newtonsoft_Json_Schema_JsonSchema.htm - - - Enum UniqueType { None; Node; Match } # if a node isn't unique the related option isn't uniquely matched either - Enum CompareType { Scalar; OneOf; AllOf } - - $Ordinal = @{$false = [StringComparer]::OrdinalIgnoreCase; $true = [StringComparer]::Ordinal } - - function StopError($Exception, $Id = 'TestObject', $Category = [ErrorCategory]::SyntaxError, $Object) { - if ($Exception -is [ErrorRecord]) { $Exception = $Exception.Exception } - elseif ($Exception -isnot [Exception]) { $Exception = [ArgumentException]$Exception } - $PSCmdlet.ThrowTerminatingError([ErrorRecord]::new($Exception, $Id, $Category, $Object)) - } - - function SchemaError($Message, $ObjectNode, $SchemaNode, $Object = $SchemaObject) { - $Exception = [ArgumentException]"$($SchemaNode.Synopsys) $Message" - $Exception.Data.Add('ObjectNode', $ObjectNode) - $Exception.Data.Add('SchemaNode', $SchemaNode) - StopError -Exception $Exception -Id 'SchemaError' -Category InvalidOperation -Object $Object - } - - $LimitTests = [Ordered]@{ - ExclusiveMaximum = 'The value is less than' - Maximum = 'The value is less than or equal to' - ExclusiveMinimum = 'The value is greater than' - Minimum = 'The value is greater than or equal to' - } - - $MatchTests = [Ordered]@{ - Like = 'The value is like' - Match = 'The value matches' - NotLike = 'The value is not like' - NotMatch = 'The value not matches' - } - - $Tests = [Ordered]@{ - Title = 'Title' - References = 'Assert references' - Type = 'The node or value is of type' - NotType = 'The node or value is not type' - CaseSensitive = 'The (descendant) node are considered case sensitive' - Unique = 'The node is unique' - MatchAll = 'Match all the nodes' - } + - $LimitTests + - $MatchTests + - [Ordered]@{ - Ordered = 'The nodes are in order' - RequiredNodes = 'The node contains the nodes' - DenyExtraNodes = 'There no additional nodes left over' - } - - function TestObject ( - [PSNode]$ObjectNode, - [PSNode]$SchemaNode, - [Switch]$IncludeAll, # if set, include the failed test results in the output - [Nullable[Bool]]$CaseSensitive, # inherited the CaseSensitivity from the parent node if not defined - [Switch]$ValidateOnly, # if set, stop at the first invalid node - $RefInvalidNode # references the first invalid node - ) { - $CallStack = Get-PSCallStack - # if ($CallStack.Count -gt 20) { Throw 'Call stack failsafe' } - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - $Caller = $CallStack[1] - Write-Host "$([ANSI]::ParameterColor)Caller (line: $($Caller.ScriptLineNumber))$([ANSI]::ResetColor):" $Caller.InvocationInfo.Line.Trim() - Write-Host "$([ANSI]::ParameterColor)ObjectNode:$([ANSI]::ResetColor)" $ObjectNode.Path "$ObjectNode" - Write-Host "$([ANSI]::ParameterColor)SchemaNode:$([ANSI]::ResetColor)" $SchemaNode.Path "$SchemaNode" - Write-Host "$([ANSI]::ParameterColor)ValidOnly:$([ANSI]::ResetColor)" ([Bool]$ValidateOnly) - } - - $Value = $ObjectNode.Value - $RefInvalidNode.Value = $null - - # Separate the assert nodes from the schema subnodes - $AssertNodes = [Ordered]@{} - if ($SchemaNode -is [PSMapNode]) { - $TestNodes = [List[PSNode]]::new() - foreach ($Node in $SchemaNode.ChildNodes) { - if ($Node.Name.StartsWith($AssertPrefix)) { $AssertNodes[$Node.Name.SubString(1)] = $Node.Value } - else { $TestNodes.Add($Node) } - } - } - elseif ($SchemaNode -is [PSListNode]) { $TestNodes = $SchemaNode.ChildNodes } - else { $TestNodes = @() } - - # Define the required nodes if not already defined - if (-not $AssertNodes.Contains('RequiredNodes') -and $ObjectNode -is [PSCollectionNode]) { - $AssertNodes['RequiredNodes'] = $TestNodes.Name - } - - if ($AssertNodes.Contains('CaseSensitive')) { - $CaseSensitive = [Nullable[Bool]]$AssertNodes['CaseSensitive'] - } - - $RefInvalidNode.Value = $false - $MatchedNames = [HashSet[Object]]::new() - $AssertResults = $Null - foreach ($TestName in $Tests.Keys) { - if ($TestName -notin $AssertNodes.Keys) { continue } - if ($TestName -notin $Tests.Keys) { SchemaError "Unknown test name: $TestName" $ObjectNode $SchemaNode } - $Criteria = $AssertNodes[$TestName] - $Violates = $null # is either a boolean ($true if invalid) or a string with what was expected - if ($TestName -eq 'Title') { $Null } - elseif ($TestName -in 'Type', 'notType') { - $FoundType = foreach ($TypeName in $Criteria) { - if ($TypeName -in $null, 'Null', 'Void') { - if ($null -eq $Value) { $true; break } - } - elseif ($TypeName -is [Type]) { $Type = $TypeName } else { - $Type = $TypeName -as [Type] - if (-not $Type) { - SchemaError "Unknown type: $TypeName" $ObjectNode $SchemaNode - } - } - if ($ObjectNode -is $Type -or $Value -is $Type) { $true; break } - } - $Violates = $null -eq $FoundType -xor $TestName -eq 'notType' - } - elseif ($TestName -eq 'CaseSensitive') { - if ($null -ne $Criteria -and $Criteria -isnot [Bool]) { - SchemaError "Invalid case sensitivity value: $Criteria" $ObjectNode $SchemaNode - } - } - elseif ($TestName -eq 'ExclusiveMinimum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cge $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } - else { $Criteria -ge $Value } - } - elseif ($TestName -eq 'Minimum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } - else { $Criteria -gt $Value } - } - elseif ($TestName -eq 'ExclusiveMaximum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cle $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } - else { $Criteria -le $Value } - } - elseif ($TestName -eq 'Maximum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -clt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } - else { $Criteria -lt $Value } - } - - elseif ($TestName -in 'Like', 'NotLike', 'Match', 'NotMatch') { - $Match = foreach ($AnyCriteria in $Criteria) { - $IsMatch = if ($TestName.EndsWith('Like', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $Value -cLike $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iLike $AnyCriteria } - else { $Value -Like $AnyCriteria } - } - else { # if ($TestName.EndsWith('Match', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $Value -cMatch $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iMatch $AnyCriteria } - else { $Value -Match $AnyCriteria } - } - if ($IsMatch) { $true; break } - } - $Violates = -not $Match -xor $TestName.StartsWith('Not', 'OrdinalIgnoreCase') - } - - elseif ($TestName -eq 'Unique') { - $ParentNode = $ObjectNode.ParentNode - if (-not $ParentNode) { - SchemaError "The unique assert can't be used on a root node" $ObjectNode $SchemaNode - } - $ObjectComparer = [ObjectComparer]::new([ObjectComparison][Int][Bool]$CaseSensitive) - foreach ($SiblingNode in $ParentNode.ChildNodes) { - if ($ObjectNode.Name -ceq $SiblingNode.Name) { continue } # Self - if ($ObjectComparer.IsEqual($ObjectNode, $SiblingNode)) { - $Violates = $true - break - } - } - } - elseif ($TestName -eq 'MatchAll') { # the assert exclusivity is handled by the parent node - $ParentNode = $ObjectNode.ParentNode - if (-not $ParentNode) { - SchemaError "The MatchAll assert can't be used on a root node" $ObjectNode $SchemaNode - if ($ParentNode.GetValue('@Ordered')) { - SchemaError "The MatchAll assert can't be used on an ordered node" $ObjectNode $SchemaNode - } - } - } - elseif ($TestName -eq 'Ordered') { - if ($ObjectNode -isnot [PSCollectionNode]) { - $Violates = 'The ordered assert requires a collection node' - } - } - - elseif ($TestName -eq 'RequiredNodes') { - if ($ObjectNode -isnot [PSCollectionNode]) { - $Violates = 'The requires assert requires a collection node' - } - else { - $ChildNodes = $ObjectNode.ChildNodes - $IsStrictCase = if ($ObjectNode -is [PSMapNode]) { - foreach ($ChildNode in $ChildNodes) { - $Name = $ChildNode.Name - $IsStrictCase = if ($Name -is [String] -and $Name -match '[a-z]') { - $Case = $Name.ToLower() - if ($Case -eq $Name) { $Case = $Name.ToUpper() } - -not $ObjectNode.Contains($Case) -or $ObjectNode.GetChildNode($Case).Name -ceq $Case - break - } - } - } elseif ($ObjectNode -is [PSCollectionNode]) { $false } else { $null } - - $AssertResults = [HashTable]::new($Ordinal[[Bool]$IsStrictCase]) - foreach ($Condition in $Criteria) { - $Term, $Accumulator, $Operand, $Operation, $Negate = $null - $LogicalFormula = [LogicalFormula]$Condition - $Enumerator = $LogicalFormula.Terms.GetEnumerator() - $Stack = [System.Collections.Stack]::new() - $Stack.Push(@{ - Enumerator = $Enumerator - Accumulator = $Null - Operator = $Null - Negate = $Null - }) - $Accumulator = $Null - While ($Stack.Count -gt 0) { # Accumulator = Accumulator Operand - if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} - $Operand = $Accumulator # Resulted from sub expression - $Pop = $Stack.Pop() - $Enumerator = $Pop.Enumerator - $Accumulator = $Pop.Accumulator - $Operator = $Pop.Operator - $Negate = $Pop.Negate - while ($Enumerator.MoveNext()) { - $Term = $Enumerator.Current - if ($Term -is [LogicalVariable]) { - $Name = $Term.Value - if (-not $AssertResults.ContainsKey($Name)) { - if (-not $SchemaNode.Contains($Name)) { - SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode - } - $TestNode = $SchemaNode.GetChildNode($Name) - $ChildNode = $null - if ($ChildNodes.Count -eq 0) { $AssertResults[$Name] = $false } - elseif ($ObjectNode -is [PSMapNode] -and $SchemaNode -is [PSMapNode]) { - if ($ObjectNode.Contains($Name)) { - $ChildNode = $ObjectNode.GetChildNode($Name) - if ($Ordered -and $ChildNodes.IndexOf($ChildNode) -ne $TestNodes.IndexOf($TestNode)) { - $Violates = "Node $Name should be in order" - $Stack.Clear() - break - } - } else { $ChildNode = $false } - } - elseif ($ChildNodes.Count -eq 1) { $ChildNode = $ChildNodes[0] } - elseif ($Ordered) { - $NodeIndex = $TestNodes.IndexOf($TestNode) - if ($NodeIndex -ge $ChildNodes.Count) { - $Violates = "Should contain at least $($TestNodes.Count) nodes" - $Stack.Clear() - break - } - $ChildNode = $ChildNodes[$NodeIndex] - } - - if ($ChildNode -is [PSNode]) { - $Invalid = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $TestNode - IncludeAll = $IncludeAll - CaseSensitive = $CaseSensitive - ValidateOnly = $ValidateOnly - RefInvalidNode = [Ref]$Invalid - } - TestObject @TestParams - $AssertResults[$Name] = -not $Invalid - if (-not $Invalid) { $null = $MatchedNames.Add($ChildNode.Name) } - } - elseif ($null -eq $ChildNode) { - $Violates = $null - $MatchAll = $false - $FoundMatch = $false - foreach ($ChildNode in $ChildNodes) { - if ($MatchedNames.Contains($ChildNode.Name)) { continue } - $Invalid = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $TestNode - IncludeAll = $IncludeAll - CaseSensitive = $CaseSensitive - ValidateOnly = $true - RefInvalidNode = [Ref]$Invalid - } - TestObject @TestParams - if ($Invalid) { - if ($IncludeAll) { <# Write-Output #> $Invalid } - continue - } - else { - $FoundMatch = $true - $null = $MatchedNames.Add($ChildNode.Name) - if ($TestNode.GetValue('@MatchAll')) { $MatchAll = $true } - if (-not $MatchAll) { break } - } - } - $AssertResults[$ChildNode.Name] = $FoundMatch - } - elseif ($ChildNode -eq $false) { $AssertResults[$Name] = $false } - else { throw "Unexpected return reference: $ChildNode" } - } - $Operand = $AssertResults[$Name] - } - elseif ($Term -is [LogicalOperator]) { - if ($Term -eq 'Not') { $Negate = -Not $Negate } - if ( - $null -ne $Operation -or $null -eq $Accumulator) { - SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode - } - - } - elseif ($Term -is [List[Object]]) { - $Stack.Push(@{ - Enumerator = $Enumerator - Accumulator = $Accumulator - Operator = $Operator - Negate = $Negate - }) - $Accumulator = $null - $Enumerator = $Term.GetEnumerator() - break - } - else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } - if ($null -ne $Operand) { - if ($null -eq $Accumulator -xor $null -eq $Operator) { - if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } - else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } - } - $Operand = $Operand -Xor $Negate - if ($Operator -eq 'And') { - if ($Accumulator -eq $false) { break } - $Accumulator = $Accumulator -and $Operand - } - elseif ($Operator -eq 'Or') { - if ($Accumulator -eq $true) { break } - $Accumulator = $Accumulator -Or $Operand - } - elseif ($Operator -eq 'Xor') { - $Accumulator = $Accumulator -xor $Operand - } - else { $Accumulator = $Operand } - $Operand, $Operator, $Negate = $Null - } - } - if ($null -ne $Operator -or $null -ne $Negate) { - SchemaError "Missing variable after $Term" $ObjectNode $SchemaNode - } - } - if ($Accumulator -eq $False) { - $Violates = "Meets the conditions of the nodes $LogicalFormula" - if ($ValidateOnly) { break } - } - } - } - } - elseif ($AssertNodes['DenyExtraNodes']) { - if ($MatchedNames.Count -lt $ChildNodes.Count) { - $Extra = $ChildNodes.Name.where{ -not $MatchedNames.Contains($_) }.foreach{ [PSSerialize]$_ } -Join ', ' - $Violates = "Deny the extra node(s): $Extra" - } - } - else { SchemaError "Unknown assert node: $TestName" $ObjectNode $SchemaNode } - - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - if (-not $Violates) { Write-Host -ForegroundColor Green "Valid: $TestName $Criteria" } - else { Write-Host -ForegroundColor Red "Invalid: $TestName $Criteria" } - } - - if ($Violates -or $IncludeAll) { - $Condition = - if ($Violates -is [String]) { $Violates } - elseif ($Criteria -eq $true) { $($Tests[$TestName])} - else { "$($Tests[$TestName]) $(@($Criteria).foreach{ [PSSerialize]$_ } -Join ', ')" } - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = -not $Violates - Condition = $Condition - } - $Output.PSTypeNames.Insert(0, 'TestResult') - if ($Violates) { - $RefInvalidNode.Value = $Output - if ($ValidateOnly) { return } - } - if (-not $ValidateOnly -or $IncludeAll) { <# Write-Output #> $Output } - } - } - } - - $SchemaNode = [PSNode]::ParseInput($SchemaObject) -} - -process { - $ObjectNode = [PSNode]::ParseInput($InputObject, $MaxDepth) - $Invalid = $Null - $TestParams = @{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - IncludeAll = $IncludeAll - ValidateOnly = $ValidateOnly - CaseSensitive = $CaseSensitive - RefInvalidNode = [Ref]$Invalid - } - TestObject @TestParams - if ($ValidateOnly) { -not $Invalid } -} - diff --git a/_Temp/Test-ObjectGraph.ps1 b/_Temp/Test-ObjectGraph.ps1 new file mode 100644 index 0000000..09847dd --- /dev/null +++ b/_Temp/Test-ObjectGraph.ps1 @@ -0,0 +1,823 @@ +# using module .\..\..\..\ObjectGraphTools + +using namespace System.Management.Automation +using namespace System.Management.Automation.Language +using namespace System.Collections +using namespace System.Collections.Generic + +<# +.SYNOPSIS +Tests the properties of an object-graph. + +.DESCRIPTION +Tests an object-graph against a schema object by verifying that the properties of the object-graph +meet the constrains defined in the schema object. + +The schema object has the following major features: + +* Independent of the object notation (as e.g. [Json (JavaScript Object Notation)][2] or [PowerShell Data Files][3]) +* Each test node is at the same level as the input node being validated +* Complex node requirements (as mutual exclusive nodes) might be selected using a logical formula + +.EXAMPLE +#Test whether a `$Person` object meats the schema requirements. + + $Person = [PSCustomObject]@{ + FirstName = 'John' + LastName = 'Smith' + IsAlive = $True + Birthday = [DateTime]'Monday, October 7, 1963 10:47:00 PM' + Age = 27 + Address = [PSCustomObject]@{ + Street = '21 2nd Street' + City = 'New York' + State = 'NY' + PostalCode = '10021-3100' + } + Phone = @{ + Home = '212 555-1234' + Mobile = '212 555-2345' + Work = '212 555-3456', '212 555-3456', '646 555-4567' + } + Children = @('Dennis', 'Stefan') + Spouse = $Null + } + + $Schema = @{ + FirstName = @{ '@Type' = 'String' } + LastName = @{ '@Type' = 'String' } + IsAlive = @{ '@Type' = 'Bool' } + Birthday = @{ '@Type' = 'DateTime' } + Age = @{ + '@Type' = 'Int' + '@Minimum' = 0 + '@Maximum' = 99 + } + Address = @{ + '@Type' = 'PSMapNode' + Street = @{ '@Type' = 'String' } + City = @{ '@Type' = 'String' } + State = @{ '@Type' = 'String' } + PostalCode = @{ '@Type' = 'String' } + } + Phone = @{ + '@Type' = 'PSMapNode', $Null + Home = @{ '@Match' = '^\d{3} \d{3}-\d{4}$' } + Mobile = @{ '@Match' = '^\d{3} \d{3}-\d{4}$' } + Work = @{ '@Match' = '^\d{3} \d{3}-\d{4}$' } + } + Children = @(@{ '@Type' = 'String', $Null }) + Spouse = @{ '@Type' = 'String', $Null } + } + + $Person | Test-Object $Schema | Should -BeNullOrEmpty + +.PARAMETER InputObject +Specifies the object to test for validity against the schema object. +The object might be any object containing embedded (or even recursive) lists, dictionaries, objects or scalar +values received from a application or an object notation as Json or YAML using their related `ConvertFrom-*` +cmdlets. + +.PARAMETER SchemaObject +Specifies a schema to validate the JSON input against. By default, if any discrepancies, toy will be reported +in a object list containing the path to failed node, the value whether the node is valid or not and the issue. +If no issues are found, the output is empty. + +For details on the schema object, see the [schema object definitions][1] documentation. + +.PARAMETER ValidateOnly + +If set, the cmdlet will stop at the first invalid node and return the test result object. + +.PARAMETER Elaborate + +If set, the cmdlet will return the test result object for all tested nodes, even if they are valid +or ruled out in a possible list node branch selection. + +.PARAMETER AssertTestPrefix + +The prefix used to identify the assert test nodes in the schema object. By default, the prefix is `AssertTestPrefix`. + +.PARAMETER MaxDepth + +The maximal depth to recursively test each embedded node. +The default value is defined by the PowerShell object node parser (`[PSNode]::DefaultMaxDepth`, default: `20`). + +.LINK + [1]: https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/SchemaObject.md "Schema object definitions" +#> + +[Alias('Test-Object', 'tso')] +[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri = 'https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( + + [Parameter(ParameterSetName = 'ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] + [Parameter(ParameterSetName = 'ResultList', Mandatory = $true, ValueFromPipeLine = $True)] + $InputObject, + + [Parameter(ParameterSetName = 'ValidateOnly', Mandatory = $true, Position = 0)] + [Parameter(ParameterSetName = 'ResultList', Mandatory = $true, Position = 0)] + $SchemaObject, + + [Parameter(ParameterSetName = 'ValidateOnly')] + [Switch]$ValidateOnly, + + [Parameter(ParameterSetName = 'ResultList')] + [Switch]$Elaborate, + + [Parameter(ParameterSetName = 'ValidateOnly')] + [Parameter(ParameterSetName = 'ResultList')] + [ValidateNotNullOrEmpty()][String]$AssertTestPrefix = 'AssertTestPrefix', + + [Parameter(ParameterSetName = 'ValidateOnly')] + [Parameter(ParameterSetName = 'ResultList')] + [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth +) + +begin { + $Script:Elaborate = $Elaborate + + $Script:Yield = { + $Name = "$Args" -replace '\W' + $Value = Get-Variable -Name $Name -ValueOnly -ErrorAction SilentlyContinue + if ($Value) { "$args" } + } + + $Script:Ordinal = @{$false = [StringComparer]::OrdinalIgnoreCase; $true = [StringComparer]::Ordinal } + + $Script:UniqueCollections = @{} + + # The maximum schema object depth is bound by the input object depth (+1 one for the leaf test definition) + $SchemaNode = [PSNode]::ParseInput($SchemaObject, ($MaxDepth + 2)) # +2 to be safe + $Script:AssertPrefix = if ($SchemaNode.Contains($AssertTestPrefix)) { $SchemaNode.Value[$AssertTestPrefix] } else { '@' } + + Enum ResultMode { + Validate # Only determines if the node is valid, if not the cmdlet is supposed to exit immediately + Output # Outputs the results immediately to the pipeline + Collect # Collects the results to match any potential node branch + } + + Class Result { + static [ResultMode]$Mode + static [Bool]$Failed + static [List[Object]]$List + + static [Bool]$Elaborate + static [Bool]$Debug + hidden static [Void]Initialize($ValidateOnly, $Elaborate, $Debug) { + [Result]::Mode = if ($ValidateOnly) { 'Validate' } else { 'Output' } + [Result]::List = $null + [Result]::Failed = $false + [Result]::Elaborate = $Elaborate + [Result]::Debug = $Debug + } + [PSNode]$ObjectNode + [PSNode]$SchemaNode + hidden [Bool]$CollectStage + + Result($ObjectNode, $SchemaNode) { + if ([Result]::Debug) { + $Tab = ' ' * ($SchemaNode.Depth * 2) + Write-Host "$Tab$([ParameterColor]'Caller:')" $this.GetCallerInfo() "(Mode: $([Result]::Mode))" + Write-Host "$Tab$([ParameterColor]'ObjectNode:')" $ObjectNode.Path '=' "$ObjectNode" + Write-Host "$Tab$([ParameterColor]'SchemaNode:')" $SchemaNode.Path '=' "$SchemaNode" + } + $this.ObjectNode = $ObjectNode + $this.SchemaNode = $SchemaNode + } + + [Object]Check([String]$Issue, [Bool]$Passed) { + + # Common test instance invocation: + # if (($Out = $Result.Check('My issue', $Passed)) -eq $false) { return } else { $Out } + + if (-not $Passed) { [Result]::Failed = $true } + + if ([Result]::Debug) { + $Tab = ' ' * ($this.SchemaNode.Depth * 2) + Write-Host "$Tab$([ParameterColor]'Return:')" $this.GetCallerInfo() "(Mode: $([Result]::Mode))" + Write-Host "$Tab$([ParameterColor]'Result:')" $Issue "($(if ($Passed) { 'Passed'} else { 'Failed' }))" + } + + if (-Not $Issue) { return @() } + if ([Result]::Mode -eq 'Validate' -and [Result]::Failed) { return $false } + # if (-not [Result]::Elaborate -and ([Result]::Mode -eq 'Collect' -or $Passed)) { return @() } + if (-not [Result]::Elaborate -and $Passed) { return @() } + + $TestResult = [PSCustomObject]@{ + ObjectNode = $this.ObjectNode + SchemaNode = $this.SchemaNode + Valid = $Passed + Issue = $Issue + } + $TestResult.PSTypeNames.Insert(0, 'TestResult') + if ([Result]::Mode -eq 'Output' -or [Result]::Elaborate) { return $TestResult } + [Result]::List.Add($TestResult) + return @() + } + + hidden [String]GetCallerInfo() { + $PSCallStack = Get-PSCallStack + if ($PSCallStack.Count -le 2) { return ''} + return "line $($PSCallStack[2].ScriptLineNumber): $($PSCallStack[2].InvocationInfo.Line.Trim())" + } + + Collect() { + if ([Result]::Mode -ne 'Output') { return } # Already in collect mode + [Result]::Mode = 'Collect' + [Result]::Failed = $false + $this.CollectStage = $true + [Result]::List = [List[Object]]::new() + } + + [object] Complete([Bool]$Output) { + if (-not $this.CollectStage) { return @() } # The result collection didn't start at this stage + [Result]::Mode = 'Output' + $this.CollectStage = $false + $Results = [Result]::List + [Result]::List = $null + if ($Output) { return $Results } else { return @() } + } + } + + function StopError($Exception, $Id = 'TestNode', $Category = [ErrorCategory]::SyntaxError, $Object) { + if ($Exception -is [ErrorRecord]) { $Exception = $Exception.Exception } + elseif ($Exception -isnot [Exception]) { $Exception = [ArgumentException]$Exception } + $PSCmdlet.ThrowTerminatingError([ErrorRecord]::new($Exception, $Id, $Category, $Object)) + } + + function SchemaError($Message, $ObjectNode, $SchemaNode, $Object = $SchemaObject) { + $Exception = [ArgumentException]"$([String]$SchemaNode) $Message" + $Exception.Data.Add('ObjectNode', $ObjectNode) + $Exception.Data.Add('SchemaNode', $SchemaNode) + StopError -Exception $Exception -Id 'SchemaError' -Category InvalidOperation -Object $Object + } + + $Script:Asserts = @{ + Description = 'Describes the test node' + References = 'Contains a list of assert references' + Type = 'The node or value is of type' + NotType = 'The node or value is not type' + CaseSensitive = 'The (descendant) node are considered case sensitive' + Required = 'The node is required' + Unique = 'The node is unique' + + Minimum = 'The value is greater than or equal to' + ExclusiveMinimum = 'The value is greater than' + ExclusiveMaximum = 'The value is less than' + Maximum = 'The value is less than or equal to' + + MinimumLength = 'The value length is greater than or equal to' + Length = 'The value length is equal to' + MaximumLength = 'The value length is less than or equal to' + + MinimumCount = 'The node count is greater than or equal to' + Count = 'The node count is equal to' + MaximumCount = 'The node count is less than or equal to' + + Like = 'The value is like' + Match = 'The value matches' + NotLike = 'The value is not like' + NotMatch = 'The value not matches' + + Ordered = 'The nodes are in order' + RequiredNodes = 'The node contains the nodes' + AllowExtraNodes = 'Allow extra nodes' + } + + $At = @{} + $Asserts.Get_Keys().Foreach{ $At[$_] = "$($AssertPrefix)$_" } + + function GetReference($LeafNode) { + # An assert node with a string value is a reference to another node + $TestNode = $LeafNode.ParentNode + $References = if ($TestNode) { + if (-not $TestNode.Cache.ContainsKey('TestReferences')) { + $Stack = [Stack]::new() + while ($true) { + $ParentNode = $TestNode.ParentNode + if ($ParentNode -and -not $ParentNode.Cache.ContainsKey('TestReferences')) { + $Stack.Push($TestNode) + $TestNode = $ParentNode + continue + } + $RefNode = if ($TestNode.Contains($At.References)) { $TestNode.GetChildNode($At.References) } + $CaseMatters = if ($RefNode) { $RefNode.CaseMatters } + $TestNode.Cache['TestReferences'] = [HashTable]::new($Ordinal[[Bool]$CaseMatters]) + if ($RefNode) { + foreach ($ChildNode in $RefNode.ChildNodes) { + if (-not $TestNode.Cache['TestReferences'].ContainsKey($ChildNode.Name)) { + $TestNode.Cache['TestReferences'][$ChildNode.Name] = $ChildNode + } + } + } + $ParentNode = $TestNode.ParentNode + if ($ParentNode) { + foreach ($RefName in $ParentNode.Cache['TestReferences'].get_Keys()) { + if (-not $TestNode.Cache['TestReferences'].ContainsKey($RefName)) { + $TestNode.Cache['TestReferences'][$RefName] = $ParentNode.Cache['TestReferences'][$RefName] + } + } + } + if ($Stack.Count -eq 0) { break } + $TestNode = $Stack.Pop() + } + } + $TestNode.Cache['TestReferences'] + } + else { @{} } + if ($References.Contains($LeafNode.Value)) { + $AssertNode.Cache['TestReferences'] = $References + $References[$LeafNode.Value] + } + else { SchemaError "Unknown reference: $LeafNode" $ObjectNode $LeafNode } + } + function TestNode ( + [PSNode]$ObjectNode, + [PSNode]$SchemaNode, + [Nullable[Bool]]$CaseSensitive # inherited the CaseSensitivity from the parent node if not defined + ) { + if ($SchemaNode -is [PSListNode] -and $SchemaNode.Count -eq 0) { return } # Allow any node + + $Result = [Result]::new($ObjectNode, $SchemaNode) + $Violates = $null + + $AssertValue = $ObjectNode.Value + + # Separate the assert nodes from the schema subnodes + $AssertNodes = [Ordered]@{} # $AssertNodes{] = $ChildNodes.@ + if ($SchemaNode -is [PSMapNode]) { + $TestNodes = [List[PSNode]]::new() + foreach ($Node in $SchemaNode.ChildNodes) { + if ($Null -eq $Node.ParentNode.ParentNode -and $Node.Name -eq $AssertTestPrefix) { continue } + if ($Node.Name.StartsWith($AssertPrefix)) { + $TestName = $Node.Name.SubString($AssertPrefix.Length) + if ($TestName -notin $Asserts.Keys) { SchemaError "Unknown assert: '$($Node.Name)'" $ObjectNode $SchemaNode } + $AssertNodes[$TestName] = $Node + } + else { $TestNodes.Add($Node) } + } + } + elseif ($SchemaNode -is [PSListNode]) { $TestNodes = $SchemaNode.ChildNodes } + else { $TestNodes = @() } + + if ($AssertNodes.Contains('CaseSensitive')) { $CaseSensitive = [Nullable[Bool]]$AssertNodes['CaseSensitive'] } + $AllowExtraNodes = if ($AssertNodes.Contains('AllowExtraNodes')) { $AssertNodes['AllowExtraNodes'] } + + $MatchedNames = [HashSet[Object]]::new() + $MatchedAsserts = $Null + foreach ($TestName in $AssertNodes.get_Keys()) { + + #Region Node assertions + + $AssertNode = $AssertNodes[$TestName] + $Criteria = $AssertNode.Value + $Violates = $null # is either a boolean ($true if invalid) or a string with what was expected + if ($TestName -eq 'Description') { $Null } + elseif ($TestName -eq 'References') { } + elseif ($TestName -in 'Type', 'notType') { + $FoundType = foreach ($TypeName in $Criteria) { + if ($TypeName -in $null, 'Null', 'Void') { + if ($null -eq $AssertValue) { $true; break } + } + elseif ($TypeName -is [Type]) { $Type = $TypeName } else { + $Type = $TypeName -as [Type] + if (-not $Type) { + SchemaError "Unknown type: $TypeName" $ObjectNode $SchemaNode + } + } + if ($ObjectNode -is $Type -or $AssertValue -is $Type) { $true; break } + } + $Not = $TestName.StartsWith('Not', 'OrdinalIgnoreCase') + if ($null -eq $FoundType -xor $Not) { $Violates = "The node $ObjectNode is $(if (!$Not) { 'not ' })of type $AssertNode" } + } + elseif ($TestName -eq 'CaseSensitive') { + if ($null -ne $Criteria -and $Criteria -isnot [Bool]) { + SchemaError "The case sensitivity value should be a boolean: $Criteria" $ObjectNode $SchemaNode + } + } + elseif ($TestName -in 'Minimum', 'ExclusiveMinimum', 'ExclusiveMaximum', 'Maximum') { + if ($null -eq $AllowExtraNodes) { $AllowExtraNodes = $true } + $ValueNodes = if ($ObjectNode -is [PSCollectionNode]) { $ObjectNode.ChildNodes } else { @($ObjectNode) } + foreach ($ValueNode in $ValueNodes) { + $Value = $ValueNode.Value + if ($Value -isnot [String] -and $Value -isnot [ValueType]) { + $Violates = "The value '$Value' is not a string or value type" + } + elseif ($TestName -eq 'Minimum') { + $IsValid = + if ($CaseSensitive -eq $true) { $Criteria -cle $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } + else { $Criteria -le $Value } + if (-not $IsValid) { + $Violates = "The $(&$Yield '(case sensitive) ')value $Value is less or equal than $AssertNode" + } + } + elseif ($TestName -eq 'ExclusiveMinimum') { + $IsValid = + if ($CaseSensitive -eq $true) { $Criteria -clt $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } + else { $Criteria -lt $Value } + if (-not $IsValid) { + $Violates = "The $(&$Yield '(case sensitive) ')value $Value is less than $AssertNode" + } + } + elseif ($TestName -eq 'ExclusiveMaximum') { + $IsValid = + if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } + else { $Criteria -gt $Value } + if (-not $IsValid) { + $Violates = "The $(&$Yield '(case sensitive) ')value $Value is greater than $AssertNode" + } + } + else { + # if ($TestName -eq 'Maximum') { + $IsValid = + if ($CaseSensitive -eq $true) { $Criteria -cge $Value } + elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } + else { $Criteria -ge $Value } + if (-not $IsValid) { + $Violates = "The $(&$Yield '(case sensitive) ')value $Value is greater than $AssertNode" + } + } + if ($Violates) { break } + } + } + + elseif ($TestName -in 'MinimumLength', 'Length', 'MaximumLength') { + if ($null -eq $AllowExtraNodes) { $AllowExtraNodes = $true } + $ValueNodes = if ($ObjectNode -is [PSCollectionNode]) { $ObjectNode.ChildNodes } else { @($ObjectNode) } + foreach ($ValueNode in $ValueNodes) { + $Value = $ValueNode.Value + if ($Value -isnot [String] -and $Value -isnot [ValueType]) { + $Violates = "The value '$Value' is not a string or value type" + break + } + $Length = "$Value".Length + if ($TestName -eq 'MinimumLength') { + if ($Length -lt $Criteria) { + $Violates = "The string length of '$Value' ($Length) is less than $AssertNode" + } + } + elseif ($TestName -eq 'Length') { + if ($Length -ne $Criteria) { + $Violates = "The string length of '$Value' ($Length) is not equal to $AssertNode" + } + } + else { + # if ($TestName -eq 'MaximumLength') { + if ($Length -gt $Criteria) { + $Violates = "The string length of '$Value' ($Length) is greater than $AssertNode" + } + } + if ($Violates) { break } + } + } + + elseif ($TestName -in 'Like', 'NotLike', 'Match', 'NotMatch') { + if ($null -eq $AllowExtraNodes) { $AllowExtraNodes = $true } + $Negate = $TestName.StartsWith('Not', 'OrdinalIgnoreCase') + $Match = $TestName.EndsWith('Match', 'OrdinalIgnoreCase') + $ValueNodes = if ($ObjectNode -is [PSCollectionNode]) { $ObjectNode.ChildNodes } else { @($ObjectNode) } + foreach ($ValueNode in $ValueNodes) { + $Value = $ValueNode.Value + if ($Value -isnot [String] -and $Value -isnot [ValueType]) { + $Violates = "The value '$Value' is not a string or value type" + break + } + $Found = $false + foreach ($AnyCriteria in $Criteria) { + $Found = if ($Match) { + if ($true -eq $CaseSensitive) { $Value -cmatch $AnyCriteria } + elseif ($false -eq $CaseSensitive) { $Value -imatch $AnyCriteria } + else { $Value -match $AnyCriteria } + } + else { + # if ($TestName.EndsWith('Link', 'OrdinalIgnoreCase')) { + if ($true -eq $CaseSensitive) { $Value -clike $AnyCriteria } + elseif ($false -eq $CaseSensitive) { $Value -ilike $AnyCriteria } + else { $Value -like $AnyCriteria } + } + if ($Found) { break } + } + $IsValid = $Found -xor $Negate + if (-not $IsValid) { + $Not = if (-not $Negate) { ' not' } + $Violates = + if ($Match) { "The $(&$Yield '(case sensitive) ')value $Value does$not match $AssertNode" } + else { "The $(&$Yield '(case sensitive) ')value $Value is$not like $AssertNode" } + } + } + } + + elseif ($TestName -in 'MinimumCount', 'Count', 'MaximumCount') { + if ($ObjectNode -isnot [PSCollectionNode]) { + $Violates = "The node $ObjectNode is not a collection node" + } + elseif ($TestName -eq 'MinimumCount') { + if ($ChildNodes.Count -lt $Criteria) { + $Violates = "The node count ($($ChildNodes.Count)) is less than $AssertNode" + } + } + elseif ($TestName -eq 'Count') { + if ($ChildNodes.Count -ne $Criteria) { + $Violates = "The node count ($($ChildNodes.Count)) is not equal to $AssertNode" + } + } + else { + # if ($TestName -eq 'MaximumCount') { + if ($ChildNodes.Count -gt $Criteria) { + $Violates = "The node count ($($ChildNodes.Count)) is greater than $AssertNode" + } + } + } + + elseif ($TestName -eq 'Required') { } + elseif ($TestName -eq 'Unique' -and $Criteria) { + if (-not $ObjectNode.ParentNode) { + SchemaError "The unique assert can't be used on a root node" $ObjectNode $SchemaNode + } + if ($Criteria -eq $true) { $UniqueCollection = $ObjectNode.ParentNode.ChildNodes } + elseif ($Criteria -is [String]) { + if (-not $UniqueCollections.Contains($Criteria)) { + $UniqueCollections[$Criteria] = [List[PSNode]]::new() + } + $UniqueCollection = $UniqueCollections[$Criteria] + } + else { SchemaError "The unique assert value should be a boolean or a string" $ObjectNode $SchemaNode } + $ObjectComparer = [ObjectComparer]::new([ObjectComparison][Int][Bool]$CaseSensitive) + foreach ($UniqueNode in $UniqueCollection) { + if ([object]::ReferenceEquals($ObjectNode, $UniqueNode)) { continue } # Self + if ($ObjectComparer.IsEqual($ObjectNode, $UniqueNode)) { + $Violates = "The node $ObjectNode is equal to the node: $($UniqueNode.Path)" + break + } + } + if ($Criteria -is [String]) { $UniqueCollection.Add($ObjectNode) } + } + elseif ($TestName -eq 'AllowExtraNodes') {} + elseif ($TestName -in 'Ordered', 'RequiredNodes') { + if ($ObjectNode -isnot [PSCollectionNode]) { + $Violates = "The '$($AssertNode.Name)' is not a collection node" + } + } + else { SchemaError "Unknown assert node: $TestName" $ObjectNode $SchemaNode } + + #EndRegion Node assertions + + $Issue = + if ($Violates -is [String]) { $Violates } + elseif ($Criteria -eq $true) { $($Asserts[$TestName]) } + else { "$($Asserts[$TestName] -replace 'The value ', "The value $ObjectNode ") $AssertNode" } + if (($Out = $Result.Check($Issue, (-not $Violates))) -eq $false) { return } else { $Out } + if ($Violates) { return } + } + + #Region Required nodes + + if ($TestNodes.Count -and -not $AssertNodes.Contains('Type')) { + if ($SchemaNode -is [PSListNode] -and $ObjectNode -isnot [PSListNode]) { + $Violates = "The node $ObjectNode is not a list node" + } + if ($SchemaNode -is [PSMapNode] -and $ObjectNode -isnot [PSMapNode]) { + $Violates = "The node $ObjectNode is not a map node" + } + } + + $LogicalFormulas = $null + $RequiredList = [List[Object]]::new() + if (-not $Violates) { + $RequiredNodes = $AssertNodes['RequiredNodes'] + $CaseSensitiveNames = if ($ObjectNode -is [PSMapNode]) { $ObjectNode.CaseMatters } + $MatchedAsserts = [HashTable]::new($Ordinal[[Bool]$CaseSensitiveNames]) + + if ($RequiredNodes) { $RequiredList = [List[Object]]$RequiredNodes.Value } + foreach ($TestNode in $TestNodes) { + $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } + if ($AssertNode -is [PSMapNode] -and $AssertNode.GetValue($At.Required)) { $RequiredList.Add($TestNode.Name) } + } + + $LogicalFormulas = foreach ($Requirement in $RequiredList) { + $LogicalFormula = [LogicalFormula]$Requirement + if ($LogicalFormula.Terms.Count -gt 1) { $Result.Collect() } + $LogicalFormula + } + + foreach ($LogicalFormula in $LogicalFormulas) { + $Enumerator = $LogicalFormula.Terms.GetEnumerator() + $Stack = [Stack]::new() + $Stack.Push(@{ + Enumerator = $Enumerator + Accumulator = $null + Operator = $null + Negate = $null + }) + $Term, $Operand, $Accumulator = $null + while ($Stack.Count -gt 0) { + # Accumulator = Accumulator Operand + # if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} + $Pop = $Stack.Pop() + $Enumerator = $Pop.Enumerator + $Operator = $Pop.Operator + if ($null -eq $Operator) { $Operand = $Pop.Accumulator } + else { $Operand, $Accumulator = $Accumulator, $Pop.Accumulator } + $Negate = $Pop.Negate + $Compute = $null -notin $Operand, $Operator, $Accumulator + while ($Compute -or $Enumerator.MoveNext()) { + if ($Compute) { $Compute = $false } + else { + $Term = $Enumerator.Current + if ($Term -is [LogicalVariable]) { + $Name = $Term.Value + if (-not $MatchedAsserts.ContainsKey($Name)) { + if (-not $SchemaNode.Contains($Name)) { + SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode + } + $MatchCount0 = $MatchedNames.Count + $ScanParams = @{ + ObjectNode = $ObjectNode + TestNode = $SchemaNode.GetChildNode($Name) + Ordered = $AssertNodes['Ordered'] + CaseSensitive = $CaseSensitive + MatchAll = $false + MatchedNames = $MatchedNames + } + QueryChildNodes @ScanParams + [Result]::Failed = $false # The (negated) formula determines the validation (not the individual tests) + $MatchedAsserts[$Name] = $MatchedNames.Count -gt $MatchCount0 + } + $Operand = $MatchedAsserts[$Name] + } + elseif ($Term -is [LogicalOperator]) { + if ($Term.Value -eq 'Not') { $Negate = -not $Negate } + elseif ($null -eq $Operator -and $null -ne $Accumulator) { $Operator = $Term.Value } + else { SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode } + } + elseif ($Term -is [LogicalFormula]) { + $Stack.Push(@{ + Enumerator = $Enumerator + Accumulator = $Accumulator + Operator = $Operator + Negate = $Negate + }) + $Accumulator, $Operator, $Negate = $null + $Enumerator = $Term.Terms.GetEnumerator() + continue + } + else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } + } + if ($null -ne $Operand) { + if ($null -eq $Accumulator -xor $null -eq $Operator) { + if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } + else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } + } + $Operand = $Operand -xor $Negate + $Negate = $null + if ($Operator -eq 'And') { + $Operator = $null + if ($Accumulator -eq $false -and -not $AllowExtraNodes) { break } + $Accumulator = $Accumulator -and $Operand + } + elseif ($Operator -eq 'Or') { + $Operator = $null + if ($Accumulator -eq $true -and -not $AllowExtraNodes) { break } + $Accumulator = $Accumulator -or $Operand + } + elseif ($Operator -eq 'Xor') { + $Operator = $null + $Accumulator = $Accumulator -xor $Operand + } + else { $Accumulator = $Operand } + $Operand = $Null + } + } + if ($null -ne $Operator -or $null -ne $Negate) { + SchemaError "Missing variable after $Operator" $ObjectNode $SchemaNode + } + } + if ($Accumulator -eq $false) { + $Violates = "The child node requirement $LogicalFormula is not met" + break + } + } + } + + $Result.Complete([Bool]$Violates) + $issue = + if ($Violates) { $Violates } + elseif ($LogicalFormulas) { "The child node requirement $LogicalFormulas is met" } + else { 'There are no child node requirements' } + if (($Out = $Result.Check($Issue, (-not $Violates))) -eq $false) { return } else { $Out } + if ($Violates) { return } + + #EndRegion Required nodes + + #Region Optional nodes + + if ($ObjectNode -is [PSLeafNode]) { return } + $ChildNodes = $ObjectNode.ChildNodes + foreach ($TestNode in $TestNodes) { + if ($MatchedNames.Count -ge $ChildNodes.Count) { break } + if ($MatchedAsserts.Contains($TestNode.Name)) { continue } + $MatchCount0 = $MatchedNames.Count + $ScanParams = @{ + ObjectNode = $ObjectNode + TestNode = $TestNode + Ordered = $AssertNodes['Ordered'] + CaseSensitive = $CaseSensitive + MatchAll = -not $AllowExtraNodes + MatchedNames = $MatchedNames + } + QueryChildNodes @ScanParams + if ($AllowExtraNodes -and $MatchedNames.Count -eq $MatchCount0) { + $Violates = "When extra nodes are allowed, the node $ObjectNode should be accepted" + break + } + $MatchedAsserts[$TestNode.Name] = $MatchedNames.Count -gt $MatchCount0 + } + + if (-not $AllowExtraNodes -and $MatchedNames.Count -lt $ChildNodes.Count) { + $Count = 0; $LastName = $Null + $Names = foreach ($Name in $ChildNodes.Name) { + if ($MatchedNames.Contains($Name)) { continue } + if ($Count++ -lt 4) { + if ($ObjectNode -is [PSListNode]) { [CommandColor]$Name } + else { [StringColor][PSKeyExpression]::new($Name) } + } + else { $LastName = $Name } + } + write-host 123 ([Result]::Failed) + $Violates = "The following nodes are not accepted: $($Names -join ', ')" + if ($LastName) { + $LastName = if ($ObjectNode -is [PSListNode]) { [CommandColor]$LastName } + else { [StringColor][PSKeyExpression]::new($LastName, [PSSerialize]::MaxKeyLength) } + $Violates += " .. $LastName" + } + } + + if (-not $Violates) { return } + if (($Out = $Result.Check($Violates, (-not $Violates))) -eq $false) { return } else { $Out } + + #EndRegion Optional nodes + } + + function QueryChildNodes ( + [PSNode]$ObjectNode, + [PSNode]$TestNode, + [Switch]$Ordered, + [Nullable[Bool]]$CaseSensitive, + [Switch]$MatchAll, + $MatchedNames + ) { + $Result = [Result]::new($ObjectNode, $SchemaNode) + $Violates = $null + $Name = $TestNode.Name + $AssertNode = if ($TestNode -is [PSCollectionNode]) { $TestNode } else { GetReference $TestNode } + $ChildNodes = $null + if ($ObjectNode -is [PSMapNode] -and $TestNode.NodeOrigin -eq 'Map') { + if ($ObjectNode.Contains($Name)) { + if ($Ordered -and $ObjectNode.IndexOf($ObjectNode.ChildNodes) -ne $TestNodes.IndexOf($TestNode)) { + $Violates = "The node $Name is not in order" + } else { $ChildNodes = $ObjectNode.GetChildNode($Name) } + } + else { $Violates = "The node $Name does not exist" } + } + elseif ($ObjectNode.ChildNodes.Count -eq 1) { $ChildNodes = $ObjectNode.ChildNodes[0] } + elseif ($Ordered) { + $NodeIndex = $TestNodes.IndexOf($TestNode) + if ($NodeIndex -ge $ObjectNode.ChildNodes.Count) { + $Violates = "Expected at least $($TestNodes.Count) (ordered) nodes" + } else { $ChildNodes = $ObjectNode.ChildNodes[$NodeIndex] } + } + else { $ChildNodes = $ObjectNode.ChildNodes} + + if ($ChildNodes -is [PSNode]) { # There is only one child node to match + TestNode -ObjectNode $ChildNodes -SchemaNode $AssertNode -CaseSensitive $CaseSensitive + if ([Result]::Failed) { [Result]::Failed = $false } + else { $null = $MatchedNames.Add($ChildNodes.Name) } + } + elseif ($ChildNodes) { # There are multiple child nodes to match + $Result.Collect() + $MatchCount0 = $MatchedNames.Count + foreach ($ChildNode in $ChildNodes) { + if ($MatchedNames.Contains($ChildNode.Name)) { continue } + TestNode -ObjectNode $ChildNode -SchemaNode $AssertNode -CaseSensitive $CaseSensitive + if ([Result]::Failed) { [Result]::Failed = $false } + else { $null = $MatchedNames.Add($ChildNodes.Name) } + } + $TotalFound = $MatchedNames.Count - $MatchCount0 + $Missing = $TotalFound -eq 0 -or ($MatchAll -and $TotalFound -lt $ChildNodes.Count) + $Result.Complete($Missing) + } + elseif (-not $Violates) { $Violates = "The node $ObjectNode has no child nodes" } + + if (($Out = $Result.Check($Violates, (-not $Violates))) -eq $false) { return } else { $Out } + } +} + +process { + [Result]::Initialize($ValidateOnly, $Elaborate, ($DebugPreference -in 'Stop', 'Continue', 'Inquire')) # This cmdlet can only be invoked once in a single pipeline + $ObjectNode = [PSNode]::ParseInput($InputObject, $MaxDepth) + TestNode $ObjectNode $SchemaNode + if ($ValidateOnly) { -not [Result]::Failed } +} diff --git a/_Temp/Test-ObjectGraph2.ps1 b/_Temp/Test-ObjectGraph2.ps1 deleted file mode 100644 index 2e57531..0000000 --- a/_Temp/Test-ObjectGraph2.ps1 +++ /dev/null @@ -1,526 +0,0 @@ -using module .\..\..\ObjectGraphTools.psm1 - -using namespace System.Management.Automation -using namespace System.Management.Automation.Language -using namespace System.Collections -using namespace System.Collections.Generic - -<# -.SYNOPSIS - Tests the properties of an object-graph. - -.DESCRIPTION - Tests an object-graph against a schema object by verifying that the properties of the object-graph - meet the constrains defined in the schema object. - -.EXAMPLE - # Parse a object graph to a node instance - - The following example parses a hash table to `[PSNode]` instance: - - @{ 'My' = 1, 2, 3; 'Object' = 'Graph' } | Get-Node - - PathName Name Depth Value - -------- ---- ----- ----- - 0 {My, Object} - -.PARAMETER InputObject - The input object that will be compared with the reference object (see: [-Reference] parameter). - -#> - -[Alias('Test-Object', 'tso')] -[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( - - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, ValueFromPipeLine = $True)] - $InputObject, - - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, Position = 0)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, Position = 0)] - $SchemaObject, - - [Parameter(ParameterSetName='ValidateOnly')] - [Switch]$ValidateOnly, - - [Parameter(ParameterSetName='ResultList')] - [Switch]$IncludeValid, - - [Parameter(ParameterSetName='ResultList')] - [Switch]$IncludeLatent, - - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] - $AssertPrefix = '@', - - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] - [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth -) - -begin { - -# JsonSchema Properties -# Schema properties: [NewtonSoft.Json.Schema.JsonSchema]::New() | Get-Member -# https://www.newtonsoft.com/json/help/html/Properties_T_Newtonsoft_Json_Schema_JsonSchema.htm - - - Enum UniqueType { None; Node; Match } # if a node isn't unique the related option isn't uniquely matched either - Enum CompareType { Scalar; OneOf; AllOf } - - $Ordinal = @{$false = [StringComparer]::OrdinalIgnoreCase; $true = [StringComparer]::Ordinal } - - function StopError($Exception, $Id = 'TestObject', $Category = [ErrorCategory]::SyntaxError, $Object) { - if ($Exception -is [ErrorRecord]) { $Exception = $Exception.Exception } - elseif ($Exception -isnot [Exception]) { $Exception = [ArgumentException]$Exception } - $PSCmdlet.ThrowTerminatingError([ErrorRecord]::new($Exception, $Id, $Category, $Object)) - } - - function SchemaError($Message, $ObjectNode, $SchemaNode, $Object = $SchemaObject) { - $Exception = [ArgumentException]"$($SchemaNode.Synopsys) $Message" - $Exception.Data.Add('ObjectNode', $ObjectNode) - $Exception.Data.Add('SchemaNode', $SchemaNode) - StopError -Exception $Exception -Id 'SchemaError' -Category InvalidOperation -Object $Object - } - - # $LimitTests = [Ordered]@{ - # ExclusiveMaximum = 'The value is less than' - # cExclusiveMaximum = 'The value is (case sensitive) less than' - # iExclusiveMaximum = 'The value is (case insensitive) less than' - # Maximum = 'The value is less than or equal to' - # cMaximum = 'The value is (case sensitive) less than or equal to' - # iMaximum = 'The value is (case insensitive) less than or equal to' - # ExclusiveMinimum = 'The value is greater than' - # cExclusiveMinimum = 'The value is (case sensitive) greater than' - # iExclusiveMinimum = 'The value is (case insensitive) greater than' - # Minimum = 'The value is greater than or equal to' - # cMinimum = 'The value is (case sensitive) greater than or equal to' - # iMinimum = 'The value is (case insensitive) greater than or equal to' - # } - - # $MatchTests = [Ordered]@{ - # Like = 'The value is like' - # iLike = 'The value is (case insensitive) like' - # cLike = 'The value is (case sensitive) like' - # Match = 'The value matches' - # iMatch = 'The value (case insensitive) matches' - # cMatch = 'The value (case sensitive) matches' - # NotLike = 'The value is not like' - # iNotLike = 'The value is not (case insensitive) like' - # cNotLike = 'The value is not (case sensitive) like' - # NotMatch = 'The value not matches' - # iNotMatch = 'The value not (case insensitive) matches' - # cNotMatch = 'The value not (case sensitive) matches' - # } - - $LimitTests = [Ordered]@{ - ExclusiveMaximum = 'The value is less than' - Maximum = 'The value is less than or equal to' - ExclusiveMinimum = 'The value is greater than' - Minimum = 'The value is greater than or equal to' - } - - $MatchTests = [Ordered]@{ - Like = 'The value is like' - Match = 'The value matches' - NotLike = 'The value is not like' - NotMatch = 'The value not matches' - } - - $Tests = [Ordered]@{ - Title = 'Title' - References = 'Assert references' - Type = 'The node or value is of type' - NotType = 'The node or value is not type' - CaseSensitive = 'The (descendant) node are considered case sensitive' - Unique = 'The node is unique' - Exclusive = 'The assert is exclusive' - } + - $LimitTests + - $MatchTests + - [Ordered]@{ - Ordered = 'The nodes are in order' - RequiredNodes = 'The node contains the nodes' - DenyExtraNodes = 'There no additional nodes left over' - } - - function TestObject ( - [PSNode]$ObjectNode, - [PSNode]$SchemaNode, - [Switch]$IncludeValid, # if set, include the valid test results in the output - [Switch]$IncludeLatent, # if set, include the failed test results in the output - [Nullable[Bool]]$CaseSensitive, # inherited the CaseSensitivity from the parent node if not defined - [Switch]$ValidateOnly, - $RefValid - ) { - $CallStack = Get-PSCallStack - # if ($CallStack.Count -gt 20) { Throw 'Call stack failsafe' } - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - $Caller = $CallStack[1] - Write-Host "$([ANSI]::ParameterColor)Caller (line: $($Caller.ScriptLineNumber))$([ANSI]::ResetColor):" $Caller.InvocationInfo.Line.Trim() - Write-Host "$([ANSI]::ParameterColor)ObjectNode:$([ANSI]::ResetColor)" $ObjectNode.Path "$ObjectNode" - Write-Host "$([ANSI]::ParameterColor)SchemaNode:$([ANSI]::ResetColor)" $SchemaNode.Path "$SchemaNode" - Write-Host "$([ANSI]::ParameterColor)ValidOnly:$([ANSI]::ResetColor)" ([Bool]$ValidateOnly) - } - - $Value = $ObjectNode.Value - - # Separate the assert nodes from the schema subnodes - $AssertNodes = [Ordered]@{} - if ($SchemaNode -is [PSMapNode]) { - $TestNodes = [List[PSNode]]::new() - foreach ($Node in $SchemaNode.ChildNodes) { - if ($Node.Name.StartsWith($AssertPrefix)) { $AssertNodes[$Node.Name.SubString(1)] = $Node.Value } - else { $TestNodes.Add($Node) } - } - } - elseif ($SchemaNode -is [PSListNode]) { $TestNodes = $SchemaNode.ChildNodes } - else { $TestNodes = @() } - - # Define the required nodes if not already defined - if (-not $AssertNodes.Contains('RequiredNodes') -and $ObjectNode -is [PSCollectionNode]) { - $AssertNodes['RequiredNodes'] = $TestNodes.Name - } - - if ($AssertNodes.Contains('CaseSensitive')) { - $CaseSensitive = [Nullable[Bool]]$AssertNodes['CaseSensitive'] - } - $DenyExtraNodes = $AssertNodes['DenyExtraNodes'] - $Ordered = $AssertNodes['Ordered'] - - $RefValid.Value = $true - $ChildNodes = $AssertResults = $Null - foreach ($TestName in $Tests.Keys) { - if ($TestName -notin $AssertNodes.Keys) { continue } - - if ($TestName -notin $Tests.Keys) { SchemaError "Unknown test name: $TestName" $ObjectNode $SchemaNode } - $Criteria = $AssertNodes[$TestName] - $Violates = $null # is either a boolean ($true if invalid) or a string with what was expected - if ($TestName -eq 'Title') { $Null } - elseif ($TestName -in 'Type', 'notType') { - $FoundType = foreach ($TypeName in $Criteria) { - if ($TypeName -in $null, 'Null', 'Void' -and $null -eq $Value) { $true; break } - if ($TypeName -is [Type]) { $Type = $TypeName } else { - $Type = $TypeName -as [Type] - if (-not $Type) { - SchemaError "Unknown type: $TypeName" $ObjectNode $SchemaNode - } - } - if ($ObjectNode -is $Type -or $Value -is $Type) { $true; break } - } - $Violates = $null -eq $FoundType -xor $TestName -eq 'notType' - } - elseif ($TestName -eq 'CaseSensitive') { - if ($null -ne $Criteria -and $Criteria -isnot [Bool]) { - SchemaError "Invalid case sensitivity value: $Criteria" $ObjectNode $SchemaNode - } - } - elseif ($TestName -eq 'ExclusiveMinimum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cge $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } - else { $Criteria -ge $Value } - } - elseif ($TestName -eq 'Minimum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } - else { $Criteria -gt $Value } - } - elseif ($TestName -eq 'ExclusiveMaximum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cle $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } - else { $Criteria -le $Value } - } - elseif ($TestName -eq 'Maximum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -clt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } - else { $Criteria -lt $Value } - } - - elseif ($TestName -in 'Like', 'NotLike', 'Match', 'NotMatch') { - $Match = foreach ($AnyCriteria in $Criteria) { - $IsMatch = if ($TestName.EndsWith('Like', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $Value -cLike $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iLike $AnyCriteria } - else { $Value -Like $AnyCriteria } - } - else { # if ($TestName.EndsWith('Match', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $Value -cMatch $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iMatch $AnyCriteria } - else { $Value -Match $AnyCriteria } - } - if ($IsMatch) { $true; break } - } - $Violates = -not $Match -xor $TestName.StartsWith('Not', 'OrdinalIgnoreCase') - } - - elseif ($TestName -eq 'Unique') { - $ParentNode = $ObjectNode.ParentNode - if ($ParentNode -isnot [PSCollectionNode]) { - $Violates = 'The unique assert requires a child node' - } - else { - $ObjectComparer = [ObjectComparer]::new([ObjectComparison][Int][Bool]$CaseSensitive) - foreach ($SiblingNode in $ParentNode.ChildNodes) { - if ($ObjectNode.Name -ceq $SiblingNode.Name) { continue } # Self - if ($ObjectComparer.IsEqual($ObjectNode, $SiblingNode)) { - $Violates = $true - break - } - } - } - } - elseif ($TestName -eq 'Exclusive') { # the assert exclusivity is handled by the parent node - if ($ObjectNode.ParentNode -isnot [PSCollectionNode]) { - $Violates = 'The exclusive assert requires a collection item' - } - } - elseif ($TestName -eq 'Ordered') { - if ($ObjectNode -isnot [PSCollectionNode]) { - $Violates = 'The ordered assert requires a collection node' - } - } - - elseif ($TestName -eq 'RequiredNodes') { - if ($ObjectNode -isnot [PSCollectionNode]) { - $Violates = 'The requires assert requires a collection node' - } - else { - $ChildNodes = $ObjectNode.ChildNodes - $IsStrictCase = if ($ObjectNode -is [PSMapNode]) { - foreach ($ChildNode in $ChildNodes) { - $Name = $ChildNode.Name - $IsStrictCase = if ($Name -is [String] -and $Name -match '[a-z]') { - $Case = $Name.ToLower() - if ($Case -eq $Name) { $Case = $Name.ToUpper() } - -not $ObjectNode.Contains($Case) -or $ObjectNode.GetChildNode($Case).Name -ceq $Case - break - } - } - } elseif ($ObjectNode -is [PSCollectionNode]) { $false } else { $null } - - $AssertResults = [HashTable]::new($Ordinal[[Bool]$IsStrictCase]) - $ValidNodes = [HashSet[Object]]::new() - foreach ($Condition in $Criteria) { - $Term, $Accumulator, $Operand, $Operation, $Negate = $null - $LogicalFormula = [LogicalFormula]$Condition - $Enumerator = $LogicalFormula.Terms.GetEnumerator() - $Stack = [System.Collections.Stack]::new() - $Stack.Push(@{ - Enumerator = $Enumerator - Accumulator = $Null - Operator = $Null - Negate = $Null - }) - $Accumulator = $Null - While ($Stack.Count -gt 0) { # Accumulator = Accumulator Operand - if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} - $Operand = $Accumulator # Resulted from sub expression - $Pop = $Stack.Pop() - $Enumerator = $Pop.Enumerator - $Accumulator = $Pop.Accumulator - $Operator = $Pop.Operator - $Negate = $Pop.Negate - while ($Enumerator.MoveNext()) { - $Term = $Enumerator.Current - if ($Term -is [LogicalVariable]) { - $Name = $Term.Value - if (-not $AssertResults.ContainsKey($Name)) { - if (-not $SchemaNode.Contains($Name)) { - SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode - } - $TestNode = $SchemaNode.GetChildNode($Name) - $Name = $TestNode.Name # get the exact node name - $Mapped = $ObjectNode -is [PSMapNode] -and $SchemaNode -is [PSMapNode] - if ($Mapped -or $Ordered) { - $ChildNode = $Null - if ($Mapped) { - if ($ObjectNode.Contains($Name)) { - $ChildNode = $ObjectNode.GetChildNode($Name) - if ($Ordered -and $ChildNodes.IndexOf($ChildNode) -ne $TestNodes.IndexOf($TestNode)) { - $Violates = "Node $Name should be in order" - $Stack.Clear(); break - } - } - } - else { - $TestNodeIndex = $TestNodes.IndexOf($TestNode) - if ($TestNodeIndex -ge $ChildNodes.Count) { - $Violates = "Should contain at least $($TestNodes.Count) nodes" - $Stack.Clear(); break - } - $ChildNode = $ChildNodes[$NodeIndex] - } - if ($ChildNode) { - $Valid = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $TestNode - IncludeValid = $IncludeValid - IncludeLatent = $IncludeLatent - CaseSensitive = $CaseSensitive - ValidateOnly = $ValidateOnly - RefValid = [Ref]$Valid - } - TestObject @TestParams - $AssertResults[$Name] = $Valid - } - else { $AssertResults[$Name] = $false } - } - else { - $RestNames = $AssertNodes.where{ -not $AssertResults.Contains($_.Name) } - $UniqueNames = $RestNames.where{ $AssertNodes[$_].GetValue('@Unique') } - $ExclusiveNames = $RestNames.where{ $AssertNodes[$_].GetValue('@Exclusive') } - if ($UniqueNames -or $ExclusiveNames) { - $CheckNames = [List[String]]::new($UniqueNames) - $ExclusiveNames.foreach{ if ($_ -notin $CheckNames) { $CheckNames.Add($_) } } - $RestNames.foreach{ if ($_ -notin $CheckNames) { $CheckNames.Add($_) } } - } else { $CheckNames = $ChildNodes.Name } - $Found = $null - $CountUnique = if ($UniqueNames) { @{} } - $CountExclusive = if ($ExclusiveNames) { @{} } - $CountNodes = $CountUnique -or $CountExclusive - foreach ($ChildNode in $AssertNodes.get_Keys()) { - - if ($TestNode.GetValue('@Unique') -or $TestNode.GetValue('@Exclusive')) { continue } - $Valid = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $TestNode - IncludeValid = $IncludeValid - IncludeLatent = $IncludeLatent - CaseSensitive = $CaseSensitive - ValidateOnly = $true - RefValid = [Ref]$Valid - } - TestObject @TestParams - if ($Valid) { - if ($CountNodes) { - if ($CountUnique) { $CountUnique[$ChildNode] += 1 } - if ($CountExclusive) { $CountExclusive[$ChildNode] += 1 } - } else { $Found = $ChildNode; break } - } - } - if ($CountNodes) { - foreach ($CheckNode in $CheckNames) { - $Found = $CheckNode - if ($CountUnique -and $CountUnique[$CheckNode] -ne 1) { $Found = $null } - if ($CountExclusive -and $CountExclusive[$CheckNode] -ne 1) { $Found = $null } - if ($Found) { break } - } - } - if ($Found) { - $AssertResults[$Name] = $true - $null = $ValidNodes.Add($Found) - } else { $AssertResults[$Name] = $false } - } - } - $Operand = $AssertResults[$Name] - } - elseif ($Term -is [LogicalOperator]) { - if ($Term -eq 'Not') { $Negate = -Not $Negate } - if ( - $null -ne $Operation -or $null -eq $Accumulator) { - SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode - } - - } - elseif ($Term -is [List[Object]]) { - $Stack.Push(@{ - Enumerator = $Enumerator - Accumulator = $Accumulator - Operator = $Operator - Negate = $Negate - }) - $Accumulator = $null - $Enumerator = $Term.GetEnumerator() - break - } - else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } - if ($null -ne $Operand) { - if ($null -eq $Accumulator -xor $null -eq $Operator) { - if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } - else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } - } - $Operand = $Operand -Xor $Negate - if ($Operator -eq 'And') { - if (-not $DenyExtraNodes -and $Accumulator -eq $false) { break } - $Accumulator = $Accumulator -and $Operand - } - elseif ($Operator -eq 'Or') { - if (-not $DenyExtraNodes -and $Accumulator -eq $true) { break } - $Accumulator = $Accumulator -Or $Operand - } - elseif ($Operator -eq 'Xor') { - $Accumulator = $Accumulator -xor $Operand - } - else { $Accumulator = $Operand } - $Operand, $Operator, $Negate = $Null - } - } - if ($null -ne $Operator -or $null -ne $Negate) { - SchemaError "Missing variable after $Term" $ObjectNode $SchemaNode - } - } - if ($Accumulator -eq $False) { - $Violates = "Meets the conditions of the nodes $LogicalFormula" - if ($ValidateOnly) { continue } - } - } - } - } - elseif ($AssertNodes['DenyExtraNodes']) { - $ChildNames = if ($ChildNodes) { $ChildNodes.Name } else { $ObjectNode.ChildNodes.Name } - $ResultNames = if ($AssertResults) { $AssertResults.get_Keys() } - if ($ResultNames.Count -lt $ChildNames.Count) { - $Extra = $ChildNames.where{ $ResultNames -cne $_ }.foreach{ [PSSerialize]$_ } -Join ', ' - $Violates = "Deny the extra node(s): $Extra" - } - } - else { SchemaError "Unknown assert node: $TestName" $ObjectNode $SchemaNode } - - $RefValid.Value = -not $Violates - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - if ($RefValid.Value) { Write-Host -ForegroundColor Green "Valid: $TestName $Criteria" } - else { Write-Host -ForegroundColor Red "Invalid: $TestName $Criteria" } - } - - if ($IncludeLatent -or ($Violates -and -not $ValidateOnly) -or ($RefValid.Value -and $IncludeValid)) { - $Condition = - if ($Violates -is [String]) { $Violates } - elseif ($Criteria -eq $true) { $($Tests[$TestName])} - else { "$($Tests[$TestName]) $(@($Criteria).foreach{ [PSSerialize]$_ } -Join ', ')" } - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = $RefValid.Value - Condition = $Condition - } - $Output.PSTypeNames.Insert(0, 'TestResultTable') - Write-Output $Output - } - if ($ValidateOnly) { if ($RefValid.Value) { continue } else { return } } - } - } - - $SchemaNode = [PSNode]::ParseInput($SchemaObject) -} - -process { - $ObjectNode = [PSNode]::ParseInput($InputObject, $MaxDepth) - $Valid = $Null - $TestParams = @{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - IncludeValid = $IncludeValid - IncludeLatent = $IncludeLatent - CaseSensitive = $CaseSensitive - ValidateOnly = $ValidateOnly - RefValid = [Ref]$Valid - } - TestObject @TestParams - if ($ValidateOnly) { $Valid } -} diff --git a/_Temp/Test-ObjectGraph3.ps1 b/_Temp/Test-ObjectGraph3.ps1 deleted file mode 100644 index d94cdf1..0000000 --- a/_Temp/Test-ObjectGraph3.ps1 +++ /dev/null @@ -1,583 +0,0 @@ -using module .\..\..\ObjectGraphTools.psm1 - -using namespace System.Management.Automation -using namespace System.Management.Automation.Language -using namespace System.Collections -using namespace System.Collections.Generic - -<# -.SYNOPSIS - Tests the properties of an object-graph. - -.DESCRIPTION - Tests an object-graph against a schema object by verifying that the properties of the object-graph - meet the constrains defined in the schema object. - - Statements: - * @RequiredNodes defines the required nodes and the order of the nodes to be tested - * Any child node that isn't listed in the `@Required` condition (even negated, as e.g.: `-Not NodeName`) - is considered optional - * @AllowExtraNodes: when set, optional nodes are required at least once and any additional (undefined) node is - unconditional excepted - - -#> - -[Alias('Test-Object', 'tso')] -[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( - - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, ValueFromPipeLine = $True)] - $InputObject, - - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, Position = 0)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, Position = 0)] - $SchemaObject, - - [Parameter(ParameterSetName='ValidateOnly')] - [Switch]$ValidateOnly, - - [Parameter(ParameterSetName='ResultList')] - [Alias('All')][Switch]$IncludeAll, - - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] - $AssertPrefix = '@', - - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] - [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth -) - -begin { - -# JsonSchema Properties -# Schema properties: [NewtonSoft.Json.Schema.JsonSchema]::New() | Get-Member -# https://www.newtonsoft.com/json/help/html/Properties_T_Newtonsoft_Json_Schema_JsonSchema.htm - - - Enum UniqueType { None; Node; Match } # if a node isn't unique the related option isn't uniquely matched either - Enum CompareType { Scalar; OneOf; AllOf } - - $Script:Ordinal = @{$false = [StringComparer]::OrdinalIgnoreCase; $true = [StringComparer]::Ordinal } - - function StopError($Exception, $Id = 'TestNode', $Category = [ErrorCategory]::SyntaxError, $Object) { - if ($Exception -is [ErrorRecord]) { $Exception = $Exception.Exception } - elseif ($Exception -isnot [Exception]) { $Exception = [ArgumentException]$Exception } - $PSCmdlet.ThrowTerminatingError([ErrorRecord]::new($Exception, $Id, $Category, $Object)) - } - - function SchemaError($Message, $ObjectNode, $SchemaNode, $Object = $SchemaObject) { - $Exception = [ArgumentException]"$($SchemaNode.Synopsys) $Message" - $Exception.Data.Add('ObjectNode', $ObjectNode) - $Exception.Data.Add('SchemaNode', $SchemaNode) - StopError -Exception $Exception -Id 'SchemaError' -Category InvalidOperation -Object $Object - } - - $LimitTests = [Ordered]@{ - ExclusiveMaximum = 'The value is less than' - Maximum = 'The value is less than or equal to' - ExclusiveMinimum = 'The value is greater than' - Minimum = 'The value is greater than or equal to' - } - - $MatchTests = [Ordered]@{ - Like = 'The value is like' - Match = 'The value matches' - NotLike = 'The value is not like' - NotMatch = 'The value not matches' - } - - $Script:Tests = [Ordered]@{ - Title = 'Title' - References = 'Assert references' - Type = 'The node or value is of type' - NotType = 'The node or value is not type' - CaseSensitive = 'The (descendant) node are considered case sensitive' - Required = 'The node is required' - Unique = 'The node is unique' - } + - $LimitTests + - $MatchTests + - [Ordered]@{ - Ordered = 'The nodes are in order' - RequiredNodes = 'The node contains the nodes' - AllowExtraNodes = 'Allow undefined child nodes' - } - - function ResolveReferences($Node) { - if ($Node.Cache.ContainsKey('TestReferences')) { return } - $Stack = [Stack]::new() - while ($true) { - $ParentNode = $Node.ParentNode - if ($ParentNode -and -not $ParentNode.Cache.ContainsKey('TestReferences')) { - $Stack.Push($Node) - $Node = $ParentNode - continue - } - $RefNode = if ($Node.Contains('@References')) { $Node.GetChildNode('@References') } - $Node.Cache['TestReferences'] = [HashTable]::new($Ordinal[[Bool]$RefNode.IsCaseSensitive]) - if ($RefNode) { - foreach ($ChildNode in $RefNode.ChildNodes) { - if (-not $Node.Cache['TestReferences'].ContainsKey($ChildNode.Name)) { - $Node.Cache['TestReferences'][$ChildNode.Name] = $ChildNode - } - } - } - $ParentNode = $Node.ParentNode - if ($ParentNode) { - foreach ($RefName in $ParentNode.Cache['TestReferences'].get_Keys()) { - if (-not $Node.Cache['TestReferences'].ContainsKey($RefName)) { - $Node.Cache['TestReferences'][$RefName] = $ParentNode.Cache['TestReferences'][$RefName] - } - } - } - if ($Stack.Count -eq 0) { break } - $Node = $Stack.Pop() - } - } - - function MatchNode ( - [PSNode]$ObjectNode, - [PSNode]$TestNode, - [Switch]$ValidateOnly, - [Switch]$IncludeAll, - [Switch]$Ordered, - [Nullable[Bool]]$CaseSensitive, - [Switch]$MatchAll, - $MatchedNames - ) { - $ChildNode, $Violates = $null - $Name = $TestNode.Name - - if ($TestNode -is [PSLeafNode]) { - $ParentNode = $TestNode.ParentNode - $References = if ($ParentNode) { - if (-not $ParentNode.Cache.ContainsKey('TestReferences')) { ResolveReferences $ParentNode } - $ParentNode.Cache['TestReferences'] - } else { @{} } - if ($References.Contains($TestNode.Value)) { - $AssertNode = $References[$TestNode.Value] - $AssertNode.Cache['TestReferences'] = $References - } - else { SchemaError "Unknown reference: $($TestNode.Value)" $ObjectNode $TestNode } - } else { $AssertNode = $TestNode } - - $ChildNodes = $ObjectNode.ChildNodes - if ($ObjectNode -is [PSMapNode] -and $TestNode.NodeOrigin -eq 'Map') { - if ($ObjectNode.Contains($Name)) { - $ChildNode = $ObjectNode.GetChildNode($Name) - if ($Ordered -and $ChildNodes.IndexOf($ChildNode) -ne $TestNodes.IndexOf($TestNode)) { - $Violates = "Node $Name should be in order" - } - } else { $ChildNode = $false } - } - elseif ($ChildNodes.Count -eq 1) { $ChildNode = $ChildNodes[0] } - elseif ($Ordered) { - $NodeIndex = $TestNodes.IndexOf($TestNode) - if ($NodeIndex -ge $ChildNodes.Count) { - $Violates = "Should contain at least $($TestNodes.Count) nodes" - } - $ChildNode = $ChildNodes[$NodeIndex] - } - - if ($Violates) { - if (-not $ValidateOnly) { - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $AssertNode - Valid = -not $Violates - Condition = $Condition - } - $Output.PSTypeNames.Insert(0, 'TestResult') - $Output - } - return - } - else { - if ($ChildNode -is [PSNode]) { - $Violates = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $AssertNode - IncludeAll = $IncludeAll - CaseSensitive = $CaseSensitive - ValidateOnly = $ValidateOnly - RefInvalidNode = [Ref]$Violates - } - TestNode @TestParams - if (-not $Violates) { $null = $MatchedNames.Add($ChildNode.Name) } - } - elseif ($null -eq $ChildNode) { - foreach ($ChildNode in $ChildNodes) { - if ($MatchedNames.Contains($ChildNode.Name)) { continue } - $Violates = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $AssertNode - IncludeAll = $IncludeAll - CaseSensitive = $CaseSensitive - ValidateOnly = $true - RefInvalidNode = [Ref]$Violates - } - TestNode @TestParams - if (-not $Violates) { - $null = $MatchedNames.Add($ChildNode.Name) - if (-not $MatchAll) { break } - } - elseif ($IncludeAll) { $Violates } - } - } - elseif ($ChildNode -eq $false) { $AssertResults[$Name] = $false } - else { throw "Unexpected return reference: $ChildNode" } - } - } - - function TestNode ( - [PSNode]$ObjectNode, - [PSNode]$SchemaNode, - [Switch]$IncludeAll, # if set, include the failed test results in the output - [Nullable[Bool]]$CaseSensitive, # inherited the CaseSensitivity from the parent node if not defined - [Switch]$ValidateOnly, # if set, stop at the first invalid node - $RefInvalidNode # references the first invalid node - ) { - $CallStack = Get-PSCallStack - # if ($CallStack.Count -gt 20) { Throw 'Call stack failsafe' } - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - $Caller = $CallStack[1] - Write-Host "$([ANSI]::ParameterColor)Caller (line: $($Caller.ScriptLineNumber))$([ANSI]::ResetColor):" $Caller.InvocationInfo.Line.Trim() - Write-Host "$([ANSI]::ParameterColor)ObjectNode:$([ANSI]::ResetColor)" $ObjectNode.Path "$ObjectNode" - Write-Host "$([ANSI]::ParameterColor)SchemaNode:$([ANSI]::ResetColor)" $SchemaNode.Path "$SchemaNode" - Write-Host "$([ANSI]::ParameterColor)ValidateOnly:$([ANSI]::ResetColor)" ([Bool]$ValidateOnly) - } - - if ($SchemaNode -is [PSListNode] -and $SchemaNode.Count -eq 0) { return } # Allow any node - - $Value = $ObjectNode.Value - $RefInvalidNode.Value = $null - - # Separate the assert nodes from the schema subnodes - $At = [Ordered]@{} # $At{] = $ChildNodes.@ - if ($SchemaNode -is [PSMapNode]) { - $TestNodes = [List[PSNode]]::new() - foreach ($Node in $SchemaNode.ChildNodes) { - if ($Node.Name.StartsWith($AssertPrefix)) { - $TestName = $Node.Name.SubString($AssertPrefix.Length) - if ($TestName -notin $Tests.Keys) { SchemaError "Unknown assert: '$($Node.Name)'" $ObjectNode $SchemaNode } - $At[$TestName] = $Node - } - else { $TestNodes.Add($Node) } - } - } - elseif ($SchemaNode -is [PSListNode]) { $TestNodes = $SchemaNode.ChildNodes } - else { $TestNodes = @() } - - if ($At.Contains('CaseSensitive')) { $CaseSensitive = [Nullable[Bool]]$At['CaseSensitive'] } - -#Region Node validation - - $RefInvalidNode.Value = $false - $MatchedNames = [HashSet[Object]]::new() - $AssertResults = $Null - foreach ($TestName in $Tests.Keys) { - if ($TestName -notin $At.Keys) { continue } # Check if ordered test are still required !!! - $AssertNode = $At[$TestName] - $Criteria = $AssertNode.Value - $Violates = $null # is either a boolean ($true if invalid) or a string with what was expected - if ($TestName -eq 'Title') { $Null } - elseif ($TestName -eq 'References') { - if ($ObjectNode -isnot [PSCollectionNode]) { - $Violates = "The '$($AssertNode.Name)' assert requires a collection node" - } - } - elseif ($TestName -in 'Type', 'notType') { - $FoundType = foreach ($TypeName in $Criteria) { - if ($TypeName -in $null, 'Null', 'Void') { - if ($null -eq $Value) { $true; break } - } - elseif ($TypeName -is [Type]) { $Type = $TypeName } else { - $Type = $TypeName -as [Type] - if (-not $Type) { - SchemaError "Unknown type: $TypeName" $ObjectNode $SchemaNode - } - } - if ($ObjectNode -is $Type -or $Value -is $Type) { $true; break } - } - $Violates = $null -eq $FoundType -xor $TestName -eq 'notType' - } - elseif ($TestName -eq 'CaseSensitive') { - if ($null -ne $Criteria -and $Criteria -isnot [Bool]) { - SchemaError "Invalid case sensitivity value: $Criteria" $ObjectNode $SchemaNode - } - } - elseif ($TestName -eq 'ExclusiveMinimum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cge $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } - else { $Criteria -ge $Value } - } - elseif ($TestName -eq 'Minimum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } - else { $Criteria -gt $Value } - } - elseif ($TestName -eq 'ExclusiveMaximum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cle $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } - else { $Criteria -le $Value } - } - elseif ($TestName -eq 'Maximum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -clt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } - else { $Criteria -lt $Value } - } - - elseif ($TestName -in 'Like', 'NotLike', 'Match', 'NotMatch') { - $Match = foreach ($AnyCriteria in $Criteria) { - $IsMatch = if ($TestName.EndsWith('Like', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $Value -cLike $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iLike $AnyCriteria } - else { $Value -Like $AnyCriteria } - } - else { # if ($TestName.EndsWith('Match', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $Value -cMatch $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $Value -iMatch $AnyCriteria } - else { $Value -Match $AnyCriteria } - } - if ($IsMatch) { $true; break } - } - $Violates = -not $Match -xor $TestName.StartsWith('Not', 'OrdinalIgnoreCase') - } - elseif ($TestName -eq 'Required') { } - elseif ($TestName -eq 'Unique') { - $ParentNode = $ObjectNode.ParentNode - if (-not $ParentNode) { - SchemaError "The unique assert can't be used on a root node" $ObjectNode $SchemaNode - } - $ObjectComparer = [ObjectComparer]::new([ObjectComparison][Int][Bool]$CaseSensitive) - foreach ($SiblingNode in $ParentNode.ChildNodes) { - if ($ObjectNode.Name -ceq $SiblingNode.Name) { continue } # Self - if ($ObjectComparer.IsEqual($ObjectNode, $SiblingNode)) { - $Violates = $true - break - } - } - } - elseif ($TestName -in 'Ordered', 'RequiredNodes', 'AllowExtraNodes') { - if ($ObjectNode -isnot [PSCollectionNode]) { - $Violates = "The '$($AssertNode.Name)' assert requires a collection node" - } - } - else { SchemaError "Unknown assert node: $TestName" $ObjectNode $SchemaNode } - - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - if (-not $Violates) { Write-Host -ForegroundColor Green "Valid: $TestName $Criteria" } - else { Write-Host -ForegroundColor Red "Invalid: $TestName $Criteria" } - } - - if ($Violates -or $IncludeAll) { - $Condition = - if ($Violates -is [String]) { $Violates } - elseif ($Criteria -eq $true) { $($Tests[$TestName]) } - else { "$($Tests[$TestName]) $(@($Criteria).foreach{ [PSSerialize]$_ } -Join ', ')" } - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = -not $Violates - Condition = $Condition - } - $Output.PSTypeNames.Insert(0, 'TestResult') - if ($Violates) { - $RefInvalidNode.Value = $Output - if ($ValidateOnly) { return } - } - if (-not $ValidateOnly -or $IncludeAll) { <# Write-Output #> $Output } - } - } - -#EndRegion Node validation - - if ($Violates) { return } - -#Region Required nodes - - $ChildNodes = $ObjectNode.ChildNodes - $CaseSensitiveNames = if ($ObjectNode -is [PSMapNode]) { $ObjectNode.IsCaseSensitive } - $AssertResults = [HashTable]::new($Ordinal[[Bool]$CaseSensitiveNames]) - - $RequiredNodes = $At['RequiredNodes'] - $RequiredList = if ($RequiredNodes) { [List[Object]]$RequiredNodes.Value } else { [List[Object]]::new() } - foreach ($ChildNode in $ChildNodes) { - if ($ChildNode -is [PSCollectionNode] -and $ChildNode.GetValue('@Required')) { $RequiredNodes.Add($ChildNode.Name) } - } - - foreach ($Requirement in $RequiredList) { - $LogicalFormula = [LogicalFormula]$Requirement - $Enumerator = $LogicalFormula.Terms.GetEnumerator() - $Stack = [Stack]::new() - $Stack.Push(@{ - Enumerator = $Enumerator - Accumulator = $null - Operator = $null - Negate = $null - }) - $Term, $Operand, $Accumulator = $null - While ($Stack.Count -gt 0) { - # Accumulator = Accumulator Operand - # if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} - $Pop = $Stack.Pop() - $Enumerator = $Pop.Enumerator - $Operator = $Pop.Operator - if ($null -eq $Operator) { $Operand = $Pop.Accumulator } - else { $Operand, $Accumulator = $Accumulator, $Pop.Accumulator } - $Negate = $Pop.Negate - $Compute = $null -notin $Operand, $Operator, $Accumulator - while ($Compute -or $Enumerator.MoveNext()) { - if ($Compute) { $Compute = $false} - else { - $Term = $Enumerator.Current - if ($Term -is [LogicalVariable]) { - $Name = $Term.Value - if (-not $AssertResults.ContainsKey($Name)) { - if (-not $SchemaNode.Contains($Name)) { - SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode - } - $MatchCount0 = $MatchedNames.Count - $MatchParams = @{ - ObjectNode = $ObjectNode - TestNode = $SchemaNode.GetChildNode($Name) - IncludeAll = $IncludeAll - ValidateOnly = $ValidateOnly - Ordered = $At['Ordered'] - CaseSensitive = $CaseSensitive - MatchAll = $false - MatchedNames = $MatchedNames - } - MatchNode @MatchParams - $AssertResults[$Name] = $MatchedNames.Count -gt $MatchCount0 - } - $Operand = $AssertResults[$Name] - } - elseif ($Term -is [LogicalOperator]) { - if ($Term.Value -eq 'Not') { $Negate = -Not $Negate } - elseif ($null -eq $Operator -and $null -ne $Accumulator) { $Operator = $Term.Value } - else { SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode } - } - elseif ($Term -is [LogicalFormula]) { - $Stack.Push(@{ - Enumerator = $Enumerator - Accumulator = $Accumulator - Operator = $Operator - Negate = $Negate - }) - $Accumulator, $Operator, $Negate = $null - $Enumerator = $Term.Terms.GetEnumerator() - continue - } - else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } - } - if ($null -ne $Operand) { - if ($null -eq $Accumulator -xor $null -eq $Operator) { - if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } - else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } - } - $Operand = $Operand -Xor $Negate - $Negate = $null - if ($Operator -eq 'And') { - $Operator = $null - if ($Accumulator -eq $false -and -not $At['AllowExtraNodes']) { break } - $Accumulator = $Accumulator -and $Operand - } - elseif ($Operator -eq 'Or') { - $Operator = $null - if ($Accumulator -eq $true -and -not $At['AllowExtraNodes']) { break } - $Accumulator = $Accumulator -Or $Operand - } - elseif ($Operator -eq 'Xor') { - $Operator = $null - $Accumulator = $Accumulator -xor $Operand - } - else { $Accumulator = $Operand } - $Operand = $Null - } - } - if ($null -ne $Operator -or $null -ne $Negate) { - SchemaError "Missing variable after $Operator" $ObjectNode $SchemaNode - } - } - if ($Accumulator -eq $False) { - $Violates = "Meets the conditions of the nodes $LogicalFormula" - break - } - } - -#EndRegion Required nodes - -#Region Optional nodes - - if (-not $Violates) { - - foreach ($TestNode in $TestNodes) { - if ($MatchedNames.Count -ge $ChildNodes.Count) { break } - if ($AssertResults.Contains($TestNode.Name)) { continue } - $MatchCount0 = $MatchedNames.Count - $MatchParams = @{ - ObjectNode = $ObjectNode - TestNode = $TestNode - IncludeAll = $IncludeAll - ValidateOnly = $ValidateOnly - Ordered = $At['Ordered'] - CaseSensitive = $CaseSensitive - MatchAll = -not $At['AllowExtraNodes'] - MatchedNames = $MatchedNames - } - MatchNode @MatchParams - if ($At['AllowExtraNodes'] -and $MatchedNames.Count -eq $MatchCount0) { - $Violates = "When extra nodes are allowed, the node $($TestNode.Name) should be accepted" - break - } - $AssertResults[$TestNode.Name] = $MatchedNames.Count -gt $MatchCount0 - } - - if (-not $At['AllowExtraNodes'] -and $MatchedNames.Count -lt $ChildNodes.Count) { - $Extra = $ChildNodes.Name.where{ -not $MatchedNames.Contains($_) }.foreach{ [PSSerialize]$_ } -Join ', ' - $Violates = "All the child nodes should be accepted, including the nodes: $Extra" - } - } - -#EndRegion Optional nodes - - if ($Violates -or $IncludeAll) { - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = -not $Violates - Condition = if ($Violates) { $Violates } else { 'All the child nodes should be accepted'} - } - $Output.PSTypeNames.Insert(0, 'TestResult') - if ($Violates) { $RefInvalidNode.Value = $Output } - if (-not $ValidateOnly -or $IncludeAll) { <# Write-Output #> $Output } - } - } - - $SchemaNode = [PSNode]::ParseInput($SchemaObject) -} - -process { - $ObjectNode = [PSNode]::ParseInput($InputObject, $MaxDepth) - $Invalid = $Null - $TestParams = @{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - IncludeAll = $IncludeAll - ValidateOnly = $ValidateOnly - RefInvalidNode = [Ref]$Invalid - } - TestNode @TestParams - if ($ValidateOnly) { -not $Invalid } - -} - diff --git a/_Temp/Test-ObjectGraph4.ps1 b/_Temp/Test-ObjectGraph4.ps1 deleted file mode 100644 index 8b80245..0000000 --- a/_Temp/Test-ObjectGraph4.ps1 +++ /dev/null @@ -1,606 +0,0 @@ -using module .\..\..\ObjectGraphTools.psm1 - -using namespace System.Management.Automation -using namespace System.Management.Automation.Language -using namespace System.Collections -using namespace System.Collections.Generic - -<# -.SYNOPSIS - Tests the properties of an object-graph. - -.DESCRIPTION - Tests an object-graph against a schema object by verifying that the properties of the object-graph - meet the constrains defined in the schema object. - - Statements: - * @RequiredNodes defines the required nodes and the order of the nodes to be tested - * Any child node that isn't listed in the `@Required` condition (even negated, as e.g.: `-Not NodeName`) - is considered optional - * @AllowExtraNodes: when set, optional nodes are required at least once and any additional (undefined) node is - unconditional excepted - - -#> - -[Alias('Test-Object', 'tso')] -[CmdletBinding(DefaultParameterSetName = 'ResultList', HelpUri='https://github.com/iRon7/ObjectGraphTools/blob/main/Docs/Test-ObjectGraph.md')][OutputType([String])] param( - - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, ValueFromPipeLine = $True)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, ValueFromPipeLine = $True)] - $InputObject, - - [Parameter(ParameterSetName='ValidateOnly', Mandatory = $true, Position = 0)] - [Parameter(ParameterSetName='ResultList', Mandatory = $true, Position = 0)] - $SchemaObject, - - [Parameter(ParameterSetName='ValidateOnly')] - [Switch]$ValidateOnly, - - [Parameter(ParameterSetName='ResultList')] - [Switch]$Elaborate, - - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] - $AssertPrefix = '@', - - [Parameter(ParameterSetName='ValidateOnly')] - [Parameter(ParameterSetName='ResultList')] - [Alias('Depth')][int]$MaxDepth = [PSNode]::DefaultMaxDepth -) - -begin { - -# JsonSchema Properties -# Schema properties: [NewtonSoft.Json.Schema.JsonSchema]::New() | Get-Member -# https://www.newtonsoft.com/json/help/html/Properties_T_Newtonsoft_Json_Schema_JsonSchema.htm - - - Enum UniqueType { None; Node; Match } # if a node isn't unique the related option isn't uniquely matched either - Enum CompareType { Scalar; OneOf; AllOf } - - $Script:Ordinal = @{$false = [StringComparer]::OrdinalIgnoreCase; $true = [StringComparer]::Ordinal } - - function StopError($Exception, $Id = 'TestNode', $Category = [ErrorCategory]::SyntaxError, $Object) { - if ($Exception -is [ErrorRecord]) { $Exception = $Exception.Exception } - elseif ($Exception -isnot [Exception]) { $Exception = [ArgumentException]$Exception } - $PSCmdlet.ThrowTerminatingError([ErrorRecord]::new($Exception, $Id, $Category, $Object)) - } - - function SchemaError($Message, $ObjectNode, $SchemaNode, $Object = $SchemaObject) { - $Exception = [ArgumentException]"$($SchemaNode.Synopsys) $Message" - $Exception.Data.Add('ObjectNode', $ObjectNode) - $Exception.Data.Add('SchemaNode', $SchemaNode) - StopError -Exception $Exception -Id 'SchemaError' -Category InvalidOperation -Object $Object - } - - $LimitTests = [Ordered]@{ - ExclusiveMaximum = 'The value is less than' - Maximum = 'The value is less than or equal to' - ExclusiveMinimum = 'The value is greater than' - Minimum = 'The value is greater than or equal to' - } - - $MatchTests = [Ordered]@{ - Like = 'The value is like' - Match = 'The value matches' - NotLike = 'The value is not like' - NotMatch = 'The value not matches' - } - - $Script:Tests = [Ordered]@{ - Title = 'Title' - References = 'Assert references' - Type = 'The node or value is of type' - NotType = 'The node or value is not type' - CaseSensitive = 'The (descendant) node are considered case sensitive' - Required = 'The node is required' - Unique = 'The node is unique' - } + - $LimitTests + - $MatchTests + - [Ordered]@{ - Ordered = 'The nodes are in order' - RequiredNodes = 'The node contains the nodes' - AllowExtraNodes = 'Allow undefined child nodes' - } - - $At = @{} - $Tests.Get_Keys().Foreach{ $At[$_] = "$($AssertPrefix)$_" } - - function ResolveReferences($Node) { - if ($Node.Cache.ContainsKey('TestReferences')) { return } - $Stack = [Stack]::new() - while ($true) { - $ParentNode = $Node.ParentNode - if ($ParentNode -and -not $ParentNode.Cache.ContainsKey('TestReferences')) { - $Stack.Push($Node) - $Node = $ParentNode - continue - } - $RefNode = if ($Node.Contains($At.References)) { $Node.GetChildNode($At.References) } - $Node.Cache['TestReferences'] = [HashTable]::new($Ordinal[[Bool]$RefNode.IsCaseSensitive]) - if ($RefNode) { - foreach ($ChildNode in $RefNode.ChildNodes) { - if (-not $Node.Cache['TestReferences'].ContainsKey($ChildNode.Name)) { - $Node.Cache['TestReferences'][$ChildNode.Name] = $ChildNode - } - } - } - $ParentNode = $Node.ParentNode - if ($ParentNode) { - foreach ($RefName in $ParentNode.Cache['TestReferences'].get_Keys()) { - if (-not $Node.Cache['TestReferences'].ContainsKey($RefName)) { - $Node.Cache['TestReferences'][$RefName] = $ParentNode.Cache['TestReferences'][$RefName] - } - } - } - if ($Stack.Count -eq 0) { break } - $Node = $Stack.Pop() - } - } - - function MatchNode ( - [PSNode]$ObjectNode, - [PSNode]$TestNode, - [Switch]$ValidateOnly, - [Switch]$Elaborate, - [Switch]$Ordered, - [Nullable[Bool]]$CaseSensitive, - [Switch]$MatchAll, - $MatchedNames - ) { - $Violates = $null - $Name = $TestNode.Name - - $ChildNodes = $ObjectNode.ChildNodes - if ($ChildNodes.Count -eq 0) { return } - - if ($TestNode -is [PSLeafNode]) { - $ParentNode = $TestNode.ParentNode - $References = if ($ParentNode) { - if (-not $ParentNode.Cache.ContainsKey('TestReferences')) { ResolveReferences $ParentNode } - $ParentNode.Cache['TestReferences'] - } else { @{} } - if ($References.Contains($TestNode.Value)) { - $AssertNode = $References[$TestNode.Value] - $AssertNode.Cache['TestReferences'] = $References - } - else { SchemaError "Unknown reference: $($TestNode.Value)" $ObjectNode $TestNode } - } else { $AssertNode = $TestNode } - - if ($ObjectNode -is [PSMapNode] -and $TestNode.NodeOrigin -eq 'Map') { - if ($ObjectNode.Contains($Name)) { - $ChildNode = $ObjectNode.GetChildNode($Name) - if ($Ordered -and $ChildNodes.IndexOf($ChildNode) -ne $TestNodes.IndexOf($TestNode)) { - $Violates = "Node $Name should be in order" - } - } else { $ChildNode = $false } - } - elseif ($ChildNodes.Count -eq 1) { $ChildNode = $ChildNodes[0] } - elseif ($Ordered) { - $NodeIndex = $TestNodes.IndexOf($TestNode) - if ($NodeIndex -ge $ChildNodes.Count) { - $Violates = "Should contain at least $($TestNodes.Count) nodes" - } - $ChildNode = $ChildNodes[$NodeIndex] - } - else { $ChildNode = $null } - - if ($Violates) { - if (-not $ValidateOnly) { - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $AssertNode - Valid = -not $Violates - Condition = $Condition - } - $Output.PSTypeNames.Insert(0, 'TestResult') - $Output - } - return - } - else { - if ($ChildNode -is [PSNode]) { - $Violates = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $AssertNode - Elaborate = $Elaborate - CaseSensitive = $CaseSensitive - ValidateOnly = $ValidateOnly - RefInvalidNode = [Ref]$Violates - } - TestNode @TestParams - if (-not $Violates) { $null = $MatchedNames.Add($ChildNode.Name) } - } - elseif ($null -eq $ChildNode) { - foreach ($ChildNode in $ChildNodes) { - if ($MatchedNames.Contains($ChildNode.Name)) { continue } - $Violates = $Null - $TestParams = @{ - ObjectNode = $ChildNode - SchemaNode = $AssertNode - Elaborate = $Elaborate - CaseSensitive = $CaseSensitive - ValidateOnly = $true - RefInvalidNode = [Ref]$Violates - } - TestNode @TestParams - if (-not $Violates) { - $null = $MatchedNames.Add($ChildNode.Name) - if (-not $MatchAll) { break } - } - elseif ($Elaborate) { $Violates } - } - } - elseif ($ChildNode -eq $false) { $AssertResults[$Name] = $false } - else { throw "Unexpected return reference: $ChildNode" } - } - } - - function TestNode ( - [PSNode]$ObjectNode, - [PSNode]$SchemaNode, - [Switch]$Elaborate, # if set, include the failed test results in the output - [Nullable[Bool]]$CaseSensitive, # inherited the CaseSensitivity from the parent node if not defined - [Switch]$ValidateOnly, # if set, stop at the first invalid node - $RefInvalidNode # references the first invalid node - ) { - $CallStack = Get-PSCallStack - # if ($CallStack.Count -gt 20) { Throw 'Call stack failsafe' } - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - $Caller = $CallStack[1] - Write-Host "$([ANSI]::ParameterColor)Caller (line: $($Caller.ScriptLineNumber))$([ANSI]::ResetColor):" $Caller.InvocationInfo.Line.Trim() - Write-Host "$([ANSI]::ParameterColor)ObjectNode:$([ANSI]::ResetColor)" $ObjectNode.Path "$ObjectNode" - Write-Host "$([ANSI]::ParameterColor)SchemaNode:$([ANSI]::ResetColor)" $SchemaNode.Path "$SchemaNode" - Write-Host "$([ANSI]::ParameterColor)ValidateOnly:$([ANSI]::ResetColor)" ([Bool]$ValidateOnly) - } - - if ($SchemaNode -is [PSListNode] -and $SchemaNode.Count -eq 0) { return } # Allow any node - - $Value = $ObjectNode.Value - $RefInvalidNode.Value = $null - - # Separate the assert nodes from the schema subnodes - $AssertNodes = [Ordered]@{} # $AssertNodes{] = $ChildNodes.@ - if ($SchemaNode -is [PSMapNode]) { - $TestNodes = [List[PSNode]]::new() - foreach ($Node in $SchemaNode.ChildNodes) { - if ($Node.Name.StartsWith($AssertPrefix)) { - $TestName = $Node.Name.SubString($AssertPrefix.Length) - if ($TestName -notin $Tests.Keys) { SchemaError "Unknown assert: '$($Node.Name)'" $ObjectNode $SchemaNode } - $AssertNodes[$TestName] = $Node - } - else { $TestNodes.Add($Node) } - } - } - elseif ($SchemaNode -is [PSListNode]) { $TestNodes = $SchemaNode.ChildNodes } - else { $TestNodes = @() } - - if ($AssertNodes.Contains('CaseSensitive')) { $CaseSensitive = [Nullable[Bool]]$AssertNodes['CaseSensitive'] } - -#Region Node validation - - $RefInvalidNode.Value = $false - $MatchedNames = [HashSet[Object]]::new() - $AssertResults = $Null - foreach ($TestName in $AssertNodes.get_Keys()) { - $AssertNode = $AssertNodes[$TestName] - $Criteria = $AssertNode.Value - $Violates = $null # is either a boolean ($true if invalid) or a string with what was expected - if ($TestName -eq 'Title') { $Null } - elseif ($TestName -eq 'References') { - if ($ObjectNode -isnot [PSCollectionNode]) { - $Violates = "The '$($AssertNode.Name)' assert requires a collection node" - } - } - elseif ($TestName -in 'Type', 'notType') { - $FoundType = foreach ($TypeName in $Criteria) { - if ($TypeName -in $null, 'Null', 'Void') { - if ($null -eq $Value) { $true; break } - } - elseif ($TypeName -is [Type]) { $Type = $TypeName } else { - $Type = $TypeName -as [Type] - if (-not $Type) { - SchemaError "Unknown type: $TypeName" $ObjectNode $SchemaNode - } - } - if ($ObjectNode -is $Type -or $Value -is $Type) { $true; break } - } - $Violates = $null -eq $FoundType -xor $TestName -eq 'notType' - } - elseif ($TestName -eq 'CaseSensitive') { - if ($null -ne $Criteria -and $Criteria -isnot [Bool]) { - SchemaError "Invalid case sensitivity value: $Criteria" $ObjectNode $SchemaNode - } - } - elseif ($TestName -eq 'ExclusiveMinimum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cge $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ige $Value } - else { $Criteria -ge $Value } - } - elseif ($TestName -eq 'Minimum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cgt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -igt $Value } - else { $Criteria -gt $Value } - } - elseif ($TestName -eq 'ExclusiveMaximum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -cle $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ile $Value } - else { $Criteria -le $Value } - } - elseif ($TestName -eq 'Maximum') { - $Violates = - if ($CaseSensitive -eq $true) { $Criteria -clt $Value } - elseif ($CaseSensitive -eq $false) { $Criteria -ilt $Value } - else { $Criteria -lt $Value } - } - - elseif ($TestName -in 'Like', 'NotLike', 'Match', 'NotMatch') { - $Negate = $TestName.StartsWith('Not', 'OrdinalIgnoreCase') - foreach ($x in $Value) { - $Match = $false - foreach ($AnyCriteria in $Criteria) { - $Match = if ($TestName.EndsWith('Like', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $x -cLike $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $x -iLike $AnyCriteria } - else { $x -Like $AnyCriteria } - } - else { # if ($TestName.EndsWith('Match', 'OrdinalIgnoreCase')) { - if ($true -eq $CaseSensitive) { $x -cMatch $AnyCriteria } - elseif ($false -eq $CaseSensitive) { $x -iMatch $AnyCriteria } - else { $x -Match $AnyCriteria } - } - if ($Match) { break } - } - $Violates = -not $Match -xor $Negate - if ($Violates) { break } - } - } - elseif ($TestName -eq 'Required') { } - elseif ($TestName -eq 'Unique') { - $ParentNode = $ObjectNode.ParentNode - if (-not $ParentNode) { - SchemaError "The unique assert can't be used on a root node" $ObjectNode $SchemaNode - } - $ObjectComparer = [ObjectComparer]::new([ObjectComparison][Int][Bool]$CaseSensitive) - foreach ($SiblingNode in $ParentNode.ChildNodes) { - if ($ObjectNode.Name -ceq $SiblingNode.Name) { continue } # Self - if ($ObjectComparer.IsEqual($ObjectNode, $SiblingNode)) { - $Violates = $true - break - } - } - } - elseif ($TestName -eq 'AllowExtraNodes') {} - elseif ($TestName -in 'Ordered', 'RequiredNodes') { - if ($ObjectNode -isnot [PSCollectionNode]) { - $Violates = "The '$($AssertNode.Name)' assert requires a collection node" - } - } - else { SchemaError "Unknown assert node: $TestName" $ObjectNode $SchemaNode } - - if ($DebugPreference -in 'Stop', 'Continue', 'Inquire') { - if (-not $Violates) { Write-Host -ForegroundColor Green "Valid: $TestName $Criteria" } - else { Write-Host -ForegroundColor Red "Invalid: $TestName $Criteria" } - } - - if ($Violates -or $Elaborate) { - $Condition = - if ($Violates -is [String]) { $Violates } - elseif ($Criteria -eq $true) { $($Tests[$TestName]) } - else { "$($Tests[$TestName]) $(@($Criteria).foreach{ [PSSerialize]$_ } -Join ', ')" } - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = -not $Violates - Condition = $Condition - } - $Output.PSTypeNames.Insert(0, 'TestResult') - if ($Violates) { - $RefInvalidNode.Value = $Output - if ($ValidateOnly) { return } - } - if (-not $ValidateOnly -or $Elaborate) { <# Write-Output #> $Output } - } - } - -#EndRegion Node validation - - if ($Violates) { return } - -#Region Required nodes - - $ChildNodes = $ObjectNode.ChildNodes - - if ($TestNodes.Count -and -not $AssertNodes.Contains('Type')) { - if ($SchemaNode -is [PSListNode] -and $ObjectNode -isnot [PSListNode]) { - $Violates = 'Expected a list node' - } - if ($SchemaNode -is [PSMapNode] -and $ObjectNode -isnot [PSMapNode]) { - $Violates = 'Expected a map node' - } - } - - if (-Not $Violates) { - $RequiredNodes = $AssertNodes['RequiredNodes'] - $CaseSensitiveNames = if ($ObjectNode -is [PSMapNode]) { $ObjectNode.IsCaseSensitive } - $AssertResults = [HashTable]::new($Ordinal[[Bool]$CaseSensitiveNames]) - - if ($RequiredNodes) { $RequiredList = [List[Object]]$RequiredNodes.Value } else { $RequiredList = [List[Object]]::new() } - foreach ($TestNode in $TestNodes) { - if ($TestNode -is [PSMapNode] -and $TestNode.GetValue($At.Required)) { $RequiredList.Add($TestNode.Name) } - } - - foreach ($Requirement in $RequiredList) { - $LogicalFormula = [LogicalFormula]$Requirement - $Enumerator = $LogicalFormula.Terms.GetEnumerator() - $Stack = [Stack]::new() - $Stack.Push(@{ - Enumerator = $Enumerator - Accumulator = $null - Operator = $null - Negate = $null - }) - $Term, $Operand, $Accumulator = $null - While ($Stack.Count -gt 0) { - # Accumulator = Accumulator Operand - # if ($Stack.Count -gt 20) { Throw 'Formula stack failsafe'} - $Pop = $Stack.Pop() - $Enumerator = $Pop.Enumerator - $Operator = $Pop.Operator - if ($null -eq $Operator) { $Operand = $Pop.Accumulator } - else { $Operand, $Accumulator = $Accumulator, $Pop.Accumulator } - $Negate = $Pop.Negate - $Compute = $null -notin $Operand, $Operator, $Accumulator - while ($Compute -or $Enumerator.MoveNext()) { - if ($Compute) { $Compute = $false} - else { - $Term = $Enumerator.Current - if ($Term -is [LogicalVariable]) { - $Name = $Term.Value - if (-not $AssertResults.ContainsKey($Name)) { - if (-not $SchemaNode.Contains($Name)) { - SchemaError "Unknown test node: $Term" $ObjectNode $SchemaNode - } - $MatchCount0 = $MatchedNames.Count - $MatchParams = @{ - ObjectNode = $ObjectNode - TestNode = $SchemaNode.GetChildNode($Name) - Elaborate = $Elaborate - ValidateOnly = $ValidateOnly - Ordered = $AssertNodes['Ordered'] - CaseSensitive = $CaseSensitive - MatchAll = $false - MatchedNames = $MatchedNames - } - MatchNode @MatchParams - $AssertResults[$Name] = $MatchedNames.Count -gt $MatchCount0 - } - $Operand = $AssertResults[$Name] - } - elseif ($Term -is [LogicalOperator]) { - if ($Term.Value -eq 'Not') { $Negate = -Not $Negate } - elseif ($null -eq $Operator -and $null -ne $Accumulator) { $Operator = $Term.Value } - else { SchemaError "Unexpected operator: $Term" $ObjectNode $SchemaNode } - } - elseif ($Term -is [LogicalFormula]) { - $Stack.Push(@{ - Enumerator = $Enumerator - Accumulator = $Accumulator - Operator = $Operator - Negate = $Negate - }) - $Accumulator, $Operator, $Negate = $null - $Enumerator = $Term.Terms.GetEnumerator() - continue - } - else { SchemaError "Unknown logical operator term: $Term" $ObjectNode $SchemaNode } - } - if ($null -ne $Operand) { - if ($null -eq $Accumulator -xor $null -eq $Operator) { - if ($Accumulator) { SchemaError "Missing operator before: $Term" $ObjectNode $SchemaNode } - else { SchemaError "Missing variable before: $Operator $Term" $ObjectNode $SchemaNode } - } - $Operand = $Operand -Xor $Negate - $Negate = $null - if ($Operator -eq 'And') { - $Operator = $null - if ($Accumulator -eq $false -and -not $AssertNodes['AllowExtraNodes']) { break } - $Accumulator = $Accumulator -and $Operand - } - elseif ($Operator -eq 'Or') { - $Operator = $null - if ($Accumulator -eq $true -and -not $AssertNodes['AllowExtraNodes']) { break } - $Accumulator = $Accumulator -Or $Operand - } - elseif ($Operator -eq 'Xor') { - $Operator = $null - $Accumulator = $Accumulator -xor $Operand - } - else { $Accumulator = $Operand } - $Operand = $Null - } - } - if ($null -ne $Operator -or $null -ne $Negate) { - SchemaError "Missing variable after $Operator" $ObjectNode $SchemaNode - } - } - if ($Accumulator -eq $False) { - $Violates = "Meets the conditions of the nodes $LogicalFormula" - break - } - } - } - -#EndRegion Required nodes - -#Region Optional nodes - - if (-not $Violates) { - - foreach ($TestNode in $TestNodes) { - if ($MatchedNames.Count -ge $ChildNodes.Count) { break } - if ($AssertResults.Contains($TestNode.Name)) { continue } - $MatchCount0 = $MatchedNames.Count - $MatchParams = @{ - ObjectNode = $ObjectNode - TestNode = $TestNode - Elaborate = $Elaborate - ValidateOnly = $ValidateOnly - Ordered = $AssertNodes['Ordered'] - CaseSensitive = $CaseSensitive - MatchAll = -not $AssertNodes['AllowExtraNodes'] - MatchedNames = $MatchedNames - } - MatchNode @MatchParams - if ($AssertNodes['AllowExtraNodes'] -and $MatchedNames.Count -eq $MatchCount0) { - $Violates = "When extra nodes are allowed, the node $($TestNode.Name) should be accepted" - break - } - $AssertResults[$TestNode.Name] = $MatchedNames.Count -gt $MatchCount0 - } - - if (-not $AssertNodes['AllowExtraNodes'] -and $MatchedNames.Count -lt $ChildNodes.Count) { - $Extra = $ChildNodes.Name.where{ -not $MatchedNames.Contains($_) }.foreach{ [PSSerialize]$_ } -Join ', ' - $Violates = "All the child nodes should be accepted, including the nodes: $Extra" - } - } - -#EndRegion Optional nodes - - if ($Violates -or $Elaborate) { - $Output = [PSCustomObject]@{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Valid = -not $Violates - Condition = if ($Violates) { $Violates } else { 'All the child nodes should be accepted'} - } - $Output.PSTypeNames.Insert(0, 'TestResult') - if ($Violates) { $RefInvalidNode.Value = $Output } - if (-not $ValidateOnly -or $Elaborate) { <# Write-Output #> $Output } - } - } - - $SchemaNode = [PSNode]::ParseInput($SchemaObject) -} - -process { - $ObjectNode = [PSNode]::ParseInput($InputObject, $MaxDepth) - $Invalid = $Null - $TestParams = @{ - ObjectNode = $ObjectNode - SchemaNode = $SchemaNode - Elaborate = $Elaborate - ValidateOnly = $ValidateOnly - RefInvalidNode = [Ref]$Invalid - } - TestNode @TestParams - if ($ValidateOnly) { -not $Invalid } - -} - diff --git a/_Temp/Test-Ref.ps1 b/_Temp/Test-Ref.ps1 index 7bda1ba..00b91a0 100644 --- a/_Temp/Test-Ref.ps1 +++ b/_Temp/Test-Ref.ps1 @@ -1,10 +1,8 @@ -$Get = $Null - -function Test ($Out) { - $Out.PSTypeNames - if ($Out) { $out.Value = 4 } +function Test ($Issues) { + if ($Issues -is [Ref]) { $Issues.Value = $true } } -$Param = @{ Out = [ref]$Get } +$Issues = [ref]$Null +$Param = @{ Issues = $Issues} Test @Param -Write-Host 'Get' $Get \ No newline at end of file +Write-Host 'Issues' $Issues.Value \ No newline at end of file diff --git a/_Temp/Test.ps1 b/_Temp/Test-ref2.ps1 similarity index 100% rename from _Temp/Test.ps1 rename to _Temp/Test-ref2.ps1 diff --git a/_Temp/TestList.ps1 b/_Temp/TestList.ps1 new file mode 100644 index 0000000..fd3a94a --- /dev/null +++ b/_Temp/TestList.ps1 @@ -0,0 +1,16 @@ +Using namespace System.Collections.Generic + +Class T { + [List[Object]]$List + T() {} + SetList() { + Write-Host 123 ($Null -eq $this.List) + $this.List = [List[Object]]@(1,2,3) + Write-Host 124 ($Null -eq $this.List) + $this.List = $Null + Write-Host 125 ($Null -eq $this.List) + } +} + +$t = [t]::new() +$t.SetList() \ No newline at end of file diff --git a/_Temp/ValueFrom.ps1 b/_Temp/ValueFrom.ps1 new file mode 100644 index 0000000..bcadd59 --- /dev/null +++ b/_Temp/ValueFrom.ps1 @@ -0,0 +1,31 @@ +function Test-Length { + param ( + [Parameter( + ValueFromPipeline, + ValueFromPipelineByPropertyName + )] + [int] + $Length + ) + process { + Write-Host "Length: '$($Length)'" + } +} + +Read-Host 'Input a length (e.g.: 42)' | Test-Length + +function Test-MyLength { + param ( + [Parameter( + ValueFromPipeline, + ValueFromPipelineByPropertyName + )] + [int] + $MyLength + ) + process { + Write-Host "MyLength: '$($MyLength)'" + } +} + +Read-Host 'Input a length (e.g.: 42)' | Test-MyLength