Created
May 14, 2020 17:52
-
-
Save YairHalberstadt/198e42eeb7b7a4aa42f076ce5aea237a to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
//#define run | |
using BenchmarkDotNet.Attributes; | |
using BenchmarkDotNet.Running; | |
using System; | |
using System.Collections.Generic; | |
using System.Diagnostics; | |
using System.IO; | |
using System.Linq; | |
using System.Text; | |
using System.Text.RegularExpressions; | |
namespace SwitchGenerator | |
{ | |
internal class Program | |
{ | |
private static void Main(string[] args) | |
{ | |
#if run | |
Test(); | |
BenchmarkSwitches(); | |
#else | |
GenerateSwitches(); | |
#endif | |
} | |
#if run | |
private static void Test() | |
{ | |
foreach (var val in Resource.AllTypeNames) | |
{ | |
Debug.Assert(HashSwitch.Switch(val) == TrieSwitch.SafeSwitch(val)); | |
Debug.Assert(HashSwitch.Switch(val) == TrieSwitch.UnsafeSwitch(val)); | |
} | |
} | |
private static void BenchmarkSwitches() | |
{ | |
var summary = BenchmarkRunner.Run<Benchmarks>(); | |
} | |
#endif | |
private static void GenerateSwitches() | |
{ | |
GenerateHashSwitch(); | |
GenerateTrieSwitch(); | |
} | |
private static void GenerateTrieSwitch() | |
{ | |
var sb = new StringBuilder(); | |
sb.AppendLine("using System;"); | |
sb.AppendLine("public class TrieSwitch"); | |
sb.AppendLine("{"); | |
sb.AppendLine(" public unsafe static int UnsafeSwitch(string val)"); | |
sb.AppendLine(" {"); | |
GenerateTrieSwitch(sb, unzafe: true); | |
sb.AppendLine(" }"); | |
sb.AppendLine(); | |
sb.AppendLine(" public static int SafeSwitch(string val)"); | |
sb.AppendLine(" {"); | |
GenerateTrieSwitch(sb, unzafe: false); | |
sb.AppendLine(" }"); | |
sb.AppendLine("}"); | |
var result = sb.ToString(); | |
File.WriteAllText(@"../../../TrieSwitch.cs", sb.ToString()); | |
} | |
private static void GenerateTrieSwitch(StringBuilder sb, bool unzafe) | |
{ | |
var minLength = Resource.AllTypeNames.Min(t => t.Length); | |
var maxLength = Resource.AllTypeNames.Max(t => t.Length); | |
var caseToLookup = new Dictionary<string, int>(); | |
for (var i = 0; i < Resource.AllTypeNames.Length; i++) | |
{ | |
caseToLookup[Resource.AllTypeNames[i]] = i + 1; | |
} | |
sb.AppendLine(" var length = val.Length;"); | |
if (unzafe) | |
{ | |
sb.AppendLine($" fixed (char* chars = val)"); | |
} | |
sb.AppendLine(" switch (length)"); | |
sb.AppendLine(" {"); | |
var orderedGroups = Resource.AllTypeNames.GroupBy(t => t.Length).OrderBy(t => t.Key); | |
foreach (var group in orderedGroups) | |
{ | |
sb.AppendLine($" case {group.Key}:"); | |
GenerateTrie(sb, unzafe, group.ToArray(), caseToLookup, charIndex: 0, indent: 3); | |
sb.AppendLine(" return 0;"); | |
} | |
sb.AppendLine(" }"); | |
sb.AppendLine(" return 0;"); | |
} | |
private static void GenerateTrie( | |
StringBuilder sb, bool unzafe, string[] cases, | |
Dictionary<string, int> caseToRetVal, | |
int charIndex, int indent) | |
{ | |
var lookup = cases.ToLookup(t => t[charIndex]); | |
var variable = unzafe ? "chars" : "val"; | |
Debug.Assert(lookup.Count > 0); | |
if (lookup.Count == 1) | |
{ | |
var grouping = lookup.First(); | |
var childCases = grouping.ToArray(); | |
if (childCases.Length == 1) | |
{ | |
var singleCase = childCases[0]; | |
WriteIndented(sb, indent, $"if ({variable}[{charIndex}] == '{grouping.Key}'"); | |
for (var i = charIndex + 1; i < singleCase.Length; i++) | |
{ | |
sb.Append($" && {variable}[{i}] == '{singleCase[i]}'"); | |
} | |
sb.AppendLine(")"); | |
Recurse(sb, unzafe, caseToRetVal, singleCase.Length - 1, indent, childCases); | |
} | |
else | |
{ | |
WriteIndentedLine(sb, indent, $"if ({variable}[{charIndex}] == '{grouping.Key}')"); | |
Recurse(sb, unzafe, caseToRetVal, charIndex, indent, childCases); | |
} | |
return; | |
} | |
WriteIndentedLine(sb, indent, $"switch ({variable}[{charIndex}])"); | |
WriteIndentedLine(sb, indent, "{"); | |
var atEnd = charIndex == cases[0].Length - 1; | |
foreach (var grouping in lookup) | |
{ | |
if (atEnd) | |
{ | |
WriteIndentedLine(sb, indent, $"case '{grouping.Key}':"); | |
Recurse(sb, unzafe, caseToRetVal, charIndex, indent, grouping.ToArray()); | |
} | |
else | |
{ | |
WriteIndentedLine(sb, indent, $"case '{grouping.Key}':"); | |
Recurse(sb, unzafe, caseToRetVal, charIndex, indent, grouping.ToArray()); | |
WriteIndentedLine(sb, indent + 1, "return 0;"); | |
} | |
} | |
WriteIndentedLine(sb, indent, "}"); | |
} | |
private static void Recurse( | |
StringBuilder sb, bool unzafe, | |
Dictionary<string, int> caseToRetVal, | |
int charIndex, int indent, string[] cases) | |
{ | |
var match = cases.SingleOrDefault(t => t.Length == charIndex + 1); | |
var rest = cases.Where(t => t != match).ToArray(); | |
if (match != null) | |
{ | |
Debug.Assert(rest.Length == 0); | |
WriteIndentedLine(sb, indent + 1, $"return {caseToRetVal[match]};"); | |
} | |
if (rest.Length > 0) | |
{ | |
GenerateTrie(sb, unzafe, rest, caseToRetVal, charIndex + 1, indent + 1); | |
} | |
} | |
private static void WriteIndentedLine(StringBuilder sb, int indent, string v) | |
{ | |
WriteIndented(sb, indent, v); | |
sb.AppendLine(); | |
} | |
private static void WriteIndented(StringBuilder sb, int indent, string v) | |
{ | |
sb.Append(WriteIndent(indent)); | |
sb.Append(v); | |
} | |
private static string WriteIndent(int indent) | |
{ | |
return string.Join("", Enumerable.Repeat(" ", indent)); | |
} | |
private static void GenerateHashSwitch() | |
{ | |
var sb = new StringBuilder(); | |
sb.AppendLine("public class HashSwitch"); | |
sb.AppendLine("{"); | |
sb.AppendLine(" public static int Switch(string val)"); | |
sb.AppendLine(" {"); | |
sb.AppendLine(" switch (val)"); | |
sb.AppendLine(" {"); | |
sb.AppendLine(" default: return 0;"); | |
for (var i = 0; i < Resource.AllTypeNames.Length; i++) | |
{ | |
sb.AppendLine($" case \"{Resource.AllTypeNames[i]}\": return {i + 1};"); | |
} | |
sb.AppendLine(" }"); | |
sb.AppendLine(" }"); | |
sb.AppendLine("}"); | |
File.WriteAllText(@"../../../HashSwitch.cs", sb.ToString()); | |
} | |
} | |
#if run | |
public class Benchmarks | |
{ | |
[Benchmark] | |
public void HashSwitch() | |
{ | |
foreach (var value in Resource.AllTypeNames) | |
{ | |
global::HashSwitch.Switch(value); | |
} | |
} | |
[Benchmark] | |
public void SafeTrieSwitch() | |
{ | |
foreach (var value in Resource.AllTypeNames) | |
{ | |
TrieSwitch.SafeSwitch(value); | |
} | |
} | |
[Benchmark] | |
public void UnsafeTrieSwitch() | |
{ | |
foreach (var value in Resource.AllTypeNames) | |
{ | |
TrieSwitch.UnsafeSwitch(value); | |
} | |
} | |
} | |
#endif | |
} | |
internal static class Resource | |
{ | |
public static string[] AllTypeNames = new[] | |
{ | |
"<>f__AnonymousType0`1", | |
"EmptyArray`1", | |
"FXAssembly", | |
"ThisAssembly", | |
"AssemblyRef", | |
"Microsoft.Win32.IAssemblyEnum", | |
"Microsoft.Win32.IApplicationContext", | |
"Microsoft.Win32.IAssemblyName", | |
"Microsoft.Win32.ASM_CACHE", | |
"Microsoft.Win32.CANOF", | |
"Microsoft.Win32.ASM_NAME", | |
"Microsoft.Win32.Fusion", | |
"Microsoft.Win32.Win32Native", | |
"Microsoft.Win32.OAVariantLib", | |
"Microsoft.Win32.Registry", | |
"Microsoft.Win32.RegistryHive", | |
"Microsoft.Win32.RegistryKey", | |
"Microsoft.Win32.RegistryValueOptions", | |
"Microsoft.Win32.RegistryKeyPermissionCheck", | |
"Microsoft.Win32.RegistryOptions", | |
"Microsoft.Win32.RegistryValueKind", | |
"Microsoft.Win32.RegistryView", | |
"Microsoft.Win32.UnsafeNativeMethods", | |
"Microsoft.Win32.SafeLibraryHandle", | |
"Microsoft.Win32.SafeHandles.SafeFileHandle", | |
"Microsoft.Win32.SafeHandles.SafeFileMappingHandle", | |
"Microsoft.Win32.SafeHandles.SafeFindHandle", | |
"Microsoft.Win32.SafeHandles.SafeLocalAllocHandle", | |
"Microsoft.Win32.SafeHandles.SafePEFileHandle", | |
"Microsoft.Win32.SafeHandles.SafeRegistryHandle", | |
"Microsoft.Win32.SafeHandles.SafeViewOfFileHandle", | |
"Microsoft.Win32.SafeHandles.SafeWaitHandle", | |
"Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid", | |
"Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid", | |
"Microsoft.Win32.SafeHandles.CriticalHandleZeroOrMinusOneIsInvalid", | |
"Microsoft.Win32.SafeHandles.CriticalHandleMinusOneIsInvalid", | |
"Microsoft.Win32.SafeHandles.SafeAccessTokenHandle", | |
"Microsoft.Win32.SafeHandles.SafeLsaLogonProcessHandle", | |
"Microsoft.Win32.SafeHandles.SafeLsaMemoryHandle", | |
"Microsoft.Win32.SafeHandles.SafeLsaPolicyHandle", | |
"Microsoft.Win32.SafeHandles.SafeLsaReturnBufferHandle", | |
"Microsoft.Win32.SafeHandles.SafeProcessHandle", | |
"Microsoft.Win32.SafeHandles.SafeThreadHandle", | |
"Microsoft.Runtime.Hosting.StrongNameHelpers", | |
"Microsoft.Runtime.Hosting.IClrStrongNameUsingIntPtr", | |
"Microsoft.Runtime.Hosting.IClrStrongName", | |
"Microsoft.Reflection.ReflectionExtensions", | |
"Windows.Foundation.Diagnostics.IAsyncCausalityTracerStatics", | |
"Windows.Foundation.Diagnostics.ITracingStatusChangedEventArgs", | |
"Windows.Foundation.Diagnostics.TracingStatusChangedEventArgs", | |
"Windows.Foundation.Diagnostics.CausalityRelation", | |
"Windows.Foundation.Diagnostics.CausalitySource", | |
"Windows.Foundation.Diagnostics.CausalitySynchronousWork", | |
"Windows.Foundation.Diagnostics.CausalityTraceLevel", | |
"Windows.Foundation.Diagnostics.AsyncCausalityStatus", | |
"System.AggregateException", | |
"System.AppContext", | |
"System.AppContextDefaultValues", | |
"System.AppContextSwitches", | |
"System.Object", | |
"System.__Canon", | |
"System.ICloneable", | |
"System.Action`1", | |
"System.Action", | |
"System.Action`2", | |
"System.Action`3", | |
"System.Action`4", | |
"System.Func`1", | |
"System.Func`2", | |
"System.Func`3", | |
"System.Func`4", | |
"System.Func`5", | |
"System.Action`5", | |
"System.Action`6", | |
"System.Action`7", | |
"System.Action`8", | |
"System.Func`6", | |
"System.Func`7", | |
"System.Func`8", | |
"System.Func`9", | |
"System.Comparison`1", | |
"System.Converter`2", | |
"System.Predicate`1", | |
"System.Array", | |
"System.SZArrayHelper", | |
"System.ArraySegment`1", | |
"System.IComparable", | |
"System.IComparable`1", | |
"System.IEquatable`1", | |
"System.ThrowHelper", | |
"System.ExceptionArgument", | |
"System.ExceptionResource", | |
"System.ITupleInternal", | |
"System.Tuple", | |
"System.Tuple`1", | |
"System.Tuple`2", | |
"System.Tuple`3", | |
"System.Tuple`4", | |
"System.Tuple`5", | |
"System.Tuple`6", | |
"System.Tuple`7", | |
"System.Tuple`8", | |
"System.IValueTupleInternal", | |
"System.ValueTuple", | |
"System.ValueTuple`1", | |
"System.ValueTuple`2", | |
"System.ValueTuple`3", | |
"System.ValueTuple`4", | |
"System.ValueTuple`5", | |
"System.ValueTuple`6", | |
"System.ValueTuple`7", | |
"System.ValueTuple`8", | |
"System.TupleExtensions", | |
"System.String", | |
"System.StringSplitOptions", | |
"System.StringComparer", | |
"System.CultureAwareComparer", | |
"System.CultureAwareRandomizedComparer", | |
"System.OrdinalComparer", | |
"System.OrdinalRandomizedComparer", | |
"System.IWellKnownStringEqualityComparer", | |
"System.StringComparison", | |
"System.Exception", | |
"System.DateTime", | |
"System.DateTimeKind", | |
"System.DateTimeOffset", | |
"System.SystemException", | |
"System.OutOfMemoryException", | |
"System.StackOverflowException", | |
"System.DataMisalignedException", | |
"System.ExecutionEngineException", | |
"System.Delegate", | |
"System.DelegateBindingFlags", | |
"System.MulticastDelegate", | |
"System.__Filters", | |
"System.__HResults", | |
"System.LogLevel", | |
"System.SwitchStructure", | |
"System.BCLDebug", | |
"System.MemberAccessException", | |
"System.Activator", | |
"System.AccessViolationException", | |
"System.ApplicationException", | |
"System.ResolveEventArgs", | |
"System.AssemblyLoadEventArgs", | |
"System.ResolveEventHandler", | |
"System.AssemblyLoadEventHandler", | |
"System.AppDomainInitializer", | |
"System.AppDomainInitializerInfo", | |
"System.AppDomain", | |
"System.CrossAppDomainDelegate", | |
"System.AppDomainHandle", | |
"System.AppDomainManagerInitializationOptions", | |
"System.AppDomainManager", | |
"System.AppDomainPauseManager", | |
"System._AppDomain", | |
"System.AppDomainSetup", | |
"System.IAppDomainSetup", | |
"System.LoaderOptimization", | |
"System.LoaderOptimizationAttribute", | |
"System.AppDomainUnloadedException", | |
"System.ActivationContext", | |
"System.ApplicationIdentity", | |
"System.ApplicationId", | |
"System.ArgumentException", | |
"System.ArgumentNullException", | |
"System.ArgumentOutOfRangeException", | |
"System.ArgIterator", | |
"System.ArithmeticException", | |
"System.ArrayTypeMismatchException", | |
"System.AsyncCallback", | |
"System.Attribute", | |
"System.AttributeTargets", | |
"System.AttributeUsageAttribute", | |
"System.BadImageFormatException", | |
"System.BitConverter", | |
"System.Boolean", | |
"System.Buffer", | |
"System.Byte", | |
"System.CannotUnloadAppDomainException", | |
"System.Char", | |
"System.CharEnumerator", | |
"System.ConfigEvents", | |
"System.ConfigNodeType", | |
"System.ConfigNodeSubType", | |
"System.BaseConfigHandler", | |
"System.ConfigTreeParser", | |
"System.ConfigNode", | |
"System.CLSCompliantAttribute", | |
"System.TypeUnloadedException", | |
"System.CompatibilitySwitches", | |
"System.__ComObject", | |
"System.Console", | |
"System.ConsoleCancelEventHandler", | |
"System.ConsoleCancelEventArgs", | |
"System.ConsoleColor", | |
"System.ConsoleKey", | |
"System.ConsoleKeyInfo", | |
"System.ConsoleModifiers", | |
"System.ConsoleSpecialKey", | |
"System.ContextMarshalException", | |
"System.Base64FormattingOptions", | |
"System.Convert", | |
"System.ContextBoundObject", | |
"System.ContextStaticAttribute", | |
"System.Currency", | |
"System.CurrentSystemTimeZone", | |
"System.DayOfWeek", | |
"System.DBNull", | |
"System.Decimal", | |
"System.DefaultBinder", | |
"System.DelegateSerializationHolder", | |
"System.DivideByZeroException", | |
"System.Double", | |
"System.DuplicateWaitObjectException", | |
"System.Empty", | |
"System.Enum", | |
"System.EntryPointNotFoundException", | |
"System.DllNotFoundException", | |
"System.EnvironmentVariableTarget", | |
"System.Environment", | |
"System.EventArgs", | |
"System.EventHandler", | |
"System.EventHandler`1", | |
"System.FieldAccessException", | |
"System.FlagsAttribute", | |
"System.FormatException", | |
"System.FormattableString", | |
"System.GCCollectionMode", | |
"System.InternalGCCollectionMode", | |
"System.GCNotificationStatus", | |
"System.GC", | |
"System.SizedReference", | |
"System.Guid", | |
"System.IAsyncResult", | |
"System.ICustomFormatter", | |
"System.IDisposable", | |
"System.IFormatProvider", | |
"System.IFormattable", | |
"System.IndexOutOfRangeException", | |
"System.IObservable`1", | |
"System.IObserver`1", | |
"System.IProgress`1", | |
"System.InsufficientMemoryException", | |
"System.InsufficientExecutionStackException", | |
"System.LazyHelpers", | |
"System.Lazy`1", | |
"System.System_LazyDebugView`1", | |
"System.Int16", | |
"System.Int32", | |
"System.Int64", | |
"System.IntPtr", | |
"System.Internal", | |
"System.InvalidCastException", | |
"System.InvalidOperationException", | |
"System.InvalidProgramException", | |
"System.InvalidTimeZoneException", | |
"System.IConvertible", | |
"System.IServiceProvider", | |
"System.LocalDataStoreHolder", | |
"System.LocalDataStoreElement", | |
"System.LocalDataStore", | |
"System.LocalDataStoreSlot", | |
"System.LocalDataStoreMgr", | |
"System.MarshalByRefObject", | |
"System.Math", | |
"System.Mda", | |
"System.MethodAccessException", | |
"System.MidpointRounding", | |
"System.MissingFieldException", | |
"System.MissingMemberException", | |
"System.MissingMethodException", | |
"System.MulticastNotSupportedException", | |
"System.NonSerializedAttribute", | |
"System.NotFiniteNumberException", | |
"System.NotImplementedException", | |
"System.NotSupportedException", | |
"System.NullReferenceException", | |
"System.Number", | |
"System.ObjectDisposedException", | |
"System.ObsoleteAttribute", | |
"System.OleAutBinder", | |
"System.OperatingSystem", | |
"System.OperationCanceledException", | |
"System.OverflowException", | |
"System.ParamArrayAttribute", | |
"System.ParamsArray", | |
"System.ParseNumbers", | |
"System.PlatformID", | |
"System.PlatformNotSupportedException", | |
"System.Progress`1", | |
"System.ProgressStatics", | |
"System.Random", | |
"System.RankException", | |
"System.ResId", | |
"System.CtorDelegate", | |
"System.TypeNameFormatFlags", | |
"System.TypeNameKind", | |
"System.RuntimeType", | |
"System.ReflectionOnlyType", | |
"System.Utf8String", | |
"System.RuntimeArgumentHandle", | |
"System.RuntimeTypeHandle", | |
"System.RuntimeMethodHandleInternal", | |
"System.RuntimeMethodInfoStub", | |
"System.IRuntimeMethodInfo", | |
"System.RuntimeMethodHandle", | |
"System.RuntimeFieldHandleInternal", | |
"System.IRuntimeFieldInfo", | |
"System.RuntimeFieldInfoStub", | |
"System.RuntimeFieldHandle", | |
"System.ModuleHandle", | |
"System.Signature", | |
"System.Resolver", | |
"System.SByte", | |
"System.SerializableAttribute", | |
"System.SharedStatics", | |
"System.Single", | |
"System.STAThreadAttribute", | |
"System.MTAThreadAttribute", | |
"System.TimeoutException", | |
"System.TimeSpan", | |
"System.TimeZone", | |
"System.TimeZoneInfoOptions", | |
"System.TimeZoneInfo", | |
"System.TimeZoneNotFoundException", | |
"System.Type", | |
"System.TypeAccessException", | |
"System.SafeTypeNameParserHandle", | |
"System.TypeNameParser", | |
"System.TypeCode", | |
"System.TypedReference", | |
"System.TypeInitializationException", | |
"System.TypeLoadException", | |
"System.UInt16", | |
"System.UInt32", | |
"System.UInt64", | |
"System.UIntPtr", | |
"System.UnauthorizedAccessException", | |
"System.UnitySerializationHolder", | |
"System.UnhandledExceptionEventArgs", | |
"System.UnhandledExceptionEventHandler", | |
"System.UnSafeCharBuffer", | |
"System.ValueType", | |
"System.Variant", | |
"System.Version", | |
"System.Void", | |
"System.WeakReference", | |
"System.WeakReference`1", | |
"System.XmlIgnoreMemberAttribute", | |
"System.CLRConfig", | |
"System.ThreadStaticAttribute", | |
"System.Nullable`1", | |
"System.Nullable", | |
"System.DateTimeFormat", | |
"System.DateTimeParse", | |
"System.__DTString", | |
"System.DTSubStringType", | |
"System.DTSubString", | |
"System.DateTimeToken", | |
"System.DateTimeRawInfo", | |
"System.ParseFailureKind", | |
"System.ParseFlags", | |
"System.DateTimeResult", | |
"System.ParsingInfo", | |
"System.TokenType", | |
"System.CompatibilityFlag", | |
"System.Configuration.Assemblies.AssemblyHash", | |
"System.Configuration.Assemblies.AssemblyHashAlgorithm", | |
"System.Configuration.Assemblies.AssemblyVersionCompatibility", | |
"System.IO.__ConsoleStream", | |
"System.IO.__Error", | |
"System.IO.__HResults", | |
"System.IO.BinaryReader", | |
"System.IO.BinaryWriter", | |
"System.IO.BufferedStream", | |
"System.IO.Directory", | |
"System.IO.DirectoryInfo", | |
"System.IO.SearchOption", | |
"System.IO.DirectoryNotFoundException", | |
"System.IO.DriveType", | |
"System.IO.DriveInfo", | |
"System.IO.DriveNotFoundException", | |
"System.IO.EndOfStreamException", | |
"System.IO.File", | |
"System.IO.FileAccess", | |
"System.IO.FileInfo", | |
"System.IO.FileLoadException", | |
"System.IO.FileMode", | |
"System.IO.FileNotFoundException", | |
"System.IO.FileOptions", | |
"System.IO.FileSecurityStateAccess", | |
"System.IO.FileShare", | |
"System.IO.FileStreamAsyncResult", | |
"System.IO.FileStream", | |
"System.IO.FileSystemEnumerableFactory", | |
"System.IO.Iterator`1", | |
"System.IO.FileSystemEnumerableIterator`1", | |
"System.IO.SearchResultHandler`1", | |
"System.IO.StringResultHandler", | |
"System.IO.FileInfoResultHandler", | |
"System.IO.DirectoryInfoResultHandler", | |
"System.IO.FileSystemInfoResultHandler", | |
"System.IO.FileSystemInfo", | |
"System.IO.FileAttributes", | |
"System.IO.IOException", | |
"System.IO.LongPathHelper", | |
"System.IO.MemoryStream", | |
"System.IO.Path", | |
"System.IO.PathHelper", | |
"System.IO.PathInternal", | |
"System.IO.PathTooLongException", | |
"System.IO.PinnedBufferMemoryStream", | |
"System.IO.ReadLinesIterator", | |
"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.UnmanagedMemoryAccessor", | |
"System.IO.UnmanagedMemoryStream", | |
"System.IO.UnmanagedMemoryStreamWrapper", | |
"System.IO.LongPath", | |
"System.IO.LongPathFile", | |
"System.IO.LongPathDirectory", | |
"System.IO.IsolatedStorage.IsolatedStorageScope", | |
"System.IO.IsolatedStorage.IsolatedStorage", | |
"System.IO.IsolatedStorage.IsolatedStorageFileStream", | |
"System.IO.IsolatedStorage.IsolatedStorageException", | |
"System.IO.IsolatedStorage.IsolatedStorageSecurityOptions", | |
"System.IO.IsolatedStorage.IsolatedStorageSecurityState", | |
"System.IO.IsolatedStorage.INormalizeForIsolatedStorage", | |
"System.IO.IsolatedStorage.IsolatedStorageFile", | |
"System.IO.IsolatedStorage.IsolatedStorageFileEnumerator", | |
"System.IO.IsolatedStorage.SafeIsolatedStorageFileHandle", | |
"System.IO.IsolatedStorage.TwoPaths", | |
"System.IO.IsolatedStorage.TwoLevelFileEnumerator", | |
"System.IO.IsolatedStorage.__HResults", | |
"System.Security.SecurityElementType", | |
"System.Security.ISecurityElementFactory", | |
"System.Security.SecurityElement", | |
"System.Security.SecurityDocumentElement", | |
"System.Security.SecurityDocument", | |
"System.Security.XmlSyntaxException", | |
"System.Security.DynamicSecurityMethodAttribute", | |
"System.Security.SuppressUnmanagedCodeSecurityAttribute", | |
"System.Security.UnverifiableCodeAttribute", | |
"System.Security.AllowPartiallyTrustedCallersAttribute", | |
"System.Security.PartialTrustVisibilityLevel", | |
"System.Security.SecurityCriticalScope", | |
"System.Security.SecurityCriticalAttribute", | |
"System.Security.SecurityTreatAsSafeAttribute", | |
"System.Security.SecuritySafeCriticalAttribute", | |
"System.Security.SecurityTransparentAttribute", | |
"System.Security.SecurityRuleSet", | |
"System.Security.SecurityRulesAttribute", | |
"System.Security.BuiltInPermissionSets", | |
"System.Security.CodeAccessPermission", | |
"System.Security.PermissionType", | |
"System.Security.CodeAccessSecurityEngine", | |
"System.Security.IEvidenceFactory", | |
"System.Security.IPermission", | |
"System.Security.ISecurityEncodable", | |
"System.Security.ISecurityPolicyEncodable", | |
"System.Security.IStackWalk", | |
"System.Security.FrameSecurityDescriptor", | |
"System.Security.FrameSecurityDescriptorWithResolver", | |
"System.Security.HostSecurityManagerOptions", | |
"System.Security.HostSecurityManager", | |
"System.Security.NamedPermissionSet", | |
"System.Security.PermissionSetEnumerator", | |
"System.Security.PermissionSetEnumeratorInternal", | |
"System.Security.SpecialPermissionSetFlag", | |
"System.Security.PermissionSet", | |
"System.Security.PermissionTokenType", | |
"System.Security.PermissionTokenKeyComparer", | |
"System.Security.PermissionToken", | |
"System.Security.PermissionTokenFactory", | |
"System.Security.PermissionSetTriple", | |
"System.Security.PermissionListSet", | |
"System.Security.PolicyManager", | |
"System.Security.ReadOnlyPermissionSet", | |
"System.Security.ReadOnlyPermissionSetEnumerator", | |
"System.Security.SecureString", | |
"System.Security.SafeBSTRHandle", | |
"System.Security.SecurityContextSource", | |
"System.Security.SecurityContextDisableFlow", | |
"System.Security.WindowsImpersonationFlowMode", | |
"System.Security.SecurityContextSwitcher", | |
"System.Security.SecurityContext", | |
"System.Security.SecurityException", | |
"System.Security.SecurityState", | |
"System.Security.HostProtectionException", | |
"System.Security.PolicyLevelType", | |
"System.Security.SecurityManager", | |
"System.Security.SecurityRuntime", | |
"System.Security.SecurityZone", | |
"System.Security.VerificationException", | |
"System.Security.AccessControl.InheritanceFlags", | |
"System.Security.AccessControl.PropagationFlags", | |
"System.Security.AccessControl.AuditFlags", | |
"System.Security.AccessControl.SecurityInfos", | |
"System.Security.AccessControl.ResourceType", | |
"System.Security.AccessControl.AccessControlSections", | |
"System.Security.AccessControl.AccessControlActions", | |
"System.Security.AccessControl.AceType", | |
"System.Security.AccessControl.AceFlags", | |
"System.Security.AccessControl.GenericAce", | |
"System.Security.AccessControl.KnownAce", | |
"System.Security.AccessControl.CustomAce", | |
"System.Security.AccessControl.CompoundAceType", | |
"System.Security.AccessControl.CompoundAce", | |
"System.Security.AccessControl.AceQualifier", | |
"System.Security.AccessControl.QualifiedAce", | |
"System.Security.AccessControl.CommonAce", | |
"System.Security.AccessControl.ObjectAceFlags", | |
"System.Security.AccessControl.ObjectAce", | |
"System.Security.AccessControl.AceEnumerator", | |
"System.Security.AccessControl.GenericAcl", | |
"System.Security.AccessControl.RawAcl", | |
"System.Security.AccessControl.CommonAcl", | |
"System.Security.AccessControl.SystemAcl", | |
"System.Security.AccessControl.DiscretionaryAcl", | |
"System.Security.AccessControl.CryptoKeyRights", | |
"System.Security.AccessControl.CryptoKeyAccessRule", | |
"System.Security.AccessControl.CryptoKeyAuditRule", | |
"System.Security.AccessControl.CryptoKeySecurity", | |
"System.Security.AccessControl.EventWaitHandleRights", | |
"System.Security.AccessControl.EventWaitHandleAccessRule", | |
"System.Security.AccessControl.EventWaitHandleAuditRule", | |
"System.Security.AccessControl.EventWaitHandleSecurity", | |
"System.Security.AccessControl.FileSystemRights", | |
"System.Security.AccessControl.FileSystemAccessRule", | |
"System.Security.AccessControl.FileSystemAuditRule", | |
"System.Security.AccessControl.FileSystemSecurity", | |
"System.Security.AccessControl.FileSecurity", | |
"System.Security.AccessControl.DirectorySecurity", | |
"System.Security.AccessControl.MutexRights", | |
"System.Security.AccessControl.MutexAccessRule", | |
"System.Security.AccessControl.MutexAuditRule", | |
"System.Security.AccessControl.MutexSecurity", | |
"System.Security.AccessControl.NativeObjectSecurity", | |
"System.Security.AccessControl.AccessControlModification", | |
"System.Security.AccessControl.ObjectSecurity", | |
"System.Security.AccessControl.AccessRule`1", | |
"System.Security.AccessControl.AuditRule`1", | |
"System.Security.AccessControl.ObjectSecurity`1", | |
"System.Security.AccessControl.CommonObjectSecurity", | |
"System.Security.AccessControl.DirectoryObjectSecurity", | |
"System.Security.AccessControl.Privilege", | |
"System.Security.AccessControl.PrivilegeNotHeldException", | |
"System.Security.AccessControl.RegistryRights", | |
"System.Security.AccessControl.RegistryAccessRule", | |
"System.Security.AccessControl.RegistryAuditRule", | |
"System.Security.AccessControl.RegistrySecurity", | |
"System.Security.AccessControl.AccessControlType", | |
"System.Security.AccessControl.AuthorizationRule", | |
"System.Security.AccessControl.AccessRule", | |
"System.Security.AccessControl.ObjectAccessRule", | |
"System.Security.AccessControl.AuditRule", | |
"System.Security.AccessControl.ObjectAuditRule", | |
"System.Security.AccessControl.AuthorizationRuleCollection", | |
"System.Security.AccessControl.ControlFlags", | |
"System.Security.AccessControl.GenericSecurityDescriptor", | |
"System.Security.AccessControl.RawSecurityDescriptor", | |
"System.Security.AccessControl.CommonSecurityDescriptor", | |
"System.Security.AccessControl.Win32", | |
"System.Security.Cryptography.CapiNative", | |
"System.Security.Cryptography.SafeCspHandle", | |
"System.Security.Cryptography.SafeCspHashHandle", | |
"System.Security.Cryptography.SafeCspKeyHandle", | |
"System.Security.Cryptography.CipherMode", | |
"System.Security.Cryptography.PaddingMode", | |
"System.Security.Cryptography.KeySizes", | |
"System.Security.Cryptography.CryptographicException", | |
"System.Security.Cryptography.CryptographicUnexpectedOperationException", | |
"System.Security.Cryptography.ICryptoTransform", | |
"System.Security.Cryptography.RandomNumberGenerator", | |
"System.Security.Cryptography.RNGCryptoServiceProvider", | |
"System.Security.Cryptography.Aes", | |
"System.Security.Cryptography.AsymmetricAlgorithm", | |
"System.Security.Cryptography.AsymmetricKeyExchangeDeformatter", | |
"System.Security.Cryptography.AsymmetricKeyExchangeFormatter", | |
"System.Security.Cryptography.AsymmetricSignatureDeformatter", | |
"System.Security.Cryptography.AsymmetricSignatureFormatter", | |
"System.Security.Cryptography.FromBase64TransformMode", | |
"System.Security.Cryptography.ToBase64Transform", | |
"System.Security.Cryptography.FromBase64Transform", | |
"System.Security.Cryptography.CryptoAPITransformMode", | |
"System.Security.Cryptography.CryptoAPITransform", | |
"System.Security.Cryptography.CspProviderFlags", | |
"System.Security.Cryptography.CspParameters", | |
"System.Security.Cryptography.CryptoConfig", | |
"System.Security.Cryptography.CryptoStreamMode", | |
"System.Security.Cryptography.CryptoStream", | |
"System.Security.Cryptography.DES", | |
"System.Security.Cryptography.DESCryptoServiceProvider", | |
"System.Security.Cryptography.DeriveBytes", | |
"System.Security.Cryptography.DSAParameters", | |
"System.Security.Cryptography.DSA", | |
"System.Security.Cryptography.DSACspObject", | |
"System.Security.Cryptography.DSACryptoServiceProvider", | |
"System.Security.Cryptography.DSASignatureDeformatter", | |
"System.Security.Cryptography.DSASignatureFormatter", | |
"System.Security.Cryptography.HMAC", | |
"System.Security.Cryptography.HMACMD5", | |
"System.Security.Cryptography.HMACRIPEMD160", | |
"System.Security.Cryptography.HMACSHA1", | |
"System.Security.Cryptography.HMACSHA256", | |
"System.Security.Cryptography.HMACSHA384", | |
"System.Security.Cryptography.HMACSHA512", | |
"System.Security.Cryptography.HashAlgorithm", | |
"System.Security.Cryptography.HashAlgorithmName", | |
"System.Security.Cryptography.KeyNumber", | |
"System.Security.Cryptography.CspKeyContainerInfo", | |
"System.Security.Cryptography.ICspAsymmetricAlgorithm", | |
"System.Security.Cryptography.KeyedHashAlgorithm", | |
"System.Security.Cryptography.MACTripleDES", | |
"System.Security.Cryptography.TailStream", | |
"System.Security.Cryptography.MD5", | |
"System.Security.Cryptography.MD5CryptoServiceProvider", | |
"System.Security.Cryptography.MaskGenerationMethod", | |
"System.Security.Cryptography.PasswordDeriveBytes", | |
"System.Security.Cryptography.PKCS1MaskGenerationMethod", | |
"System.Security.Cryptography.RC2", | |
"System.Security.Cryptography.RC2CryptoServiceProvider", | |
"System.Security.Cryptography.Rfc2898DeriveBytes", | |
"System.Security.Cryptography.RIPEMD160", | |
"System.Security.Cryptography.RIPEMD160Managed", | |
"System.Security.Cryptography.RSAParameters", | |
"System.Security.Cryptography.RSA", | |
"System.Security.Cryptography.RSASignaturePadding", | |
"System.Security.Cryptography.RSASignaturePaddingMode", | |
"System.Security.Cryptography.RSACspObject", | |
"System.Security.Cryptography.RSACryptoServiceProvider", | |
"System.Security.Cryptography.RSAEncryptionPadding", | |
"System.Security.Cryptography.RSAEncryptionPaddingMode", | |
"System.Security.Cryptography.RSAOAEPKeyExchangeDeformatter", | |
"System.Security.Cryptography.RSAOAEPKeyExchangeFormatter", | |
"System.Security.Cryptography.RSAPKCS1KeyExchangeDeformatter", | |
"System.Security.Cryptography.RSAPKCS1KeyExchangeFormatter", | |
"System.Security.Cryptography.RSAPKCS1SignatureDeformatter", | |
"System.Security.Cryptography.RSAPKCS1SignatureFormatter", | |
"System.Security.Cryptography.Rijndael", | |
"System.Security.Cryptography.RijndaelManaged", | |
"System.Security.Cryptography.RijndaelManagedTransformMode", | |
"System.Security.Cryptography.RijndaelManagedTransform", | |
"System.Security.Cryptography.SafeProvHandle", | |
"System.Security.Cryptography.SafeKeyHandle", | |
"System.Security.Cryptography.SafeHashHandle", | |
"System.Security.Cryptography.SHA1", | |
"System.Security.Cryptography.SHA1CryptoServiceProvider", | |
"System.Security.Cryptography.SHA1Managed", | |
"System.Security.Cryptography.SHA256", | |
"System.Security.Cryptography.SHA256Managed", | |
"System.Security.Cryptography.SHA384", | |
"System.Security.Cryptography.SHA384Managed", | |
"System.Security.Cryptography.SHA512", | |
"System.Security.Cryptography.SHA512Managed", | |
"System.Security.Cryptography.SignatureDescription", | |
"System.Security.Cryptography.RSAPKCS1SignatureDescription", | |
"System.Security.Cryptography.RSAPKCS1SHA1SignatureDescription", | |
"System.Security.Cryptography.RSAPKCS1SHA256SignatureDescription", | |
"System.Security.Cryptography.RSAPKCS1SHA384SignatureDescription", | |
"System.Security.Cryptography.RSAPKCS1SHA512SignatureDescription", | |
"System.Security.Cryptography.DSASignatureDescription", | |
"System.Security.Cryptography.SymmetricAlgorithm", | |
"System.Security.Cryptography.TripleDES", | |
"System.Security.Cryptography.TripleDESCryptoServiceProvider", | |
"System.Security.Cryptography.CspAlgorithmType", | |
"System.Security.Cryptography.Constants", | |
"System.Security.Cryptography.Utils", | |
"System.Security.Cryptography.X509Certificates.SafeCertContextHandle", | |
"System.Security.Cryptography.X509Certificates.SafeCertStoreHandle", | |
"System.Security.Cryptography.X509Certificates.X509Constants", | |
"System.Security.Cryptography.X509Certificates.OidGroup", | |
"System.Security.Cryptography.X509Certificates.OidKeyType", | |
"System.Security.Cryptography.X509Certificates.CRYPT_OID_INFO", | |
"System.Security.Cryptography.X509Certificates.X509Utils", | |
"System.Security.Cryptography.X509Certificates.X509ContentType", | |
"System.Security.Cryptography.X509Certificates.X509KeyStorageFlags", | |
"System.Security.Cryptography.X509Certificates.X509Certificate", | |
"System.Security.Permissions.EnvironmentPermissionAccess", | |
"System.Security.Permissions.EnvironmentStringExpressionSet", | |
"System.Security.Permissions.EnvironmentPermission", | |
"System.Security.Permissions.FileDialogPermissionAccess", | |
"System.Security.Permissions.FileDialogPermission", | |
"System.Security.Permissions.FileIOPermissionAccess", | |
"System.Security.Permissions.FileIOPermission", | |
"System.Security.Permissions.FileIOAccess", | |
"System.Security.Permissions.HostProtectionResource", | |
"System.Security.Permissions.HostProtectionAttribute", | |
"System.Security.Permissions.HostProtectionPermission", | |
"System.Security.Permissions.IBuiltInPermission", | |
"System.Security.Permissions.BuiltInPermissionIndex", | |
"System.Security.Permissions.BuiltInPermissionFlag", | |
"System.Security.Permissions.IsolatedStorageContainment", | |
"System.Security.Permissions.IsolatedStoragePermission", | |
"System.Security.Permissions.IsolatedStorageFilePermission", | |
"System.Security.Permissions.PermissionState", | |
"System.Security.Permissions.SecurityAction", | |
"System.Security.Permissions.SecurityAttribute", | |
"System.Security.Permissions.CodeAccessSecurityAttribute", | |
"System.Security.Permissions.EnvironmentPermissionAttribute", | |
"System.Security.Permissions.FileDialogPermissionAttribute", | |
"System.Security.Permissions.FileIOPermissionAttribute", | |
"System.Security.Permissions.KeyContainerPermissionAttribute", | |
"System.Security.Permissions.PrincipalPermissionAttribute", | |
"System.Security.Permissions.ReflectionPermissionAttribute", | |
"System.Security.Permissions.RegistryPermissionAttribute", | |
"System.Security.Permissions.SecurityPermissionAttribute", | |
"System.Security.Permissions.UIPermissionAttribute", | |
"System.Security.Permissions.ZoneIdentityPermissionAttribute", | |
"System.Security.Permissions.StrongNameIdentityPermissionAttribute", | |
"System.Security.Permissions.SiteIdentityPermissionAttribute", | |
"System.Security.Permissions.UrlIdentityPermissionAttribute", | |
"System.Security.Permissions.PublisherIdentityPermissionAttribute", | |
"System.Security.Permissions.IsolatedStoragePermissionAttribute", | |
"System.Security.Permissions.IsolatedStorageFilePermissionAttribute", | |
"System.Security.Permissions.PermissionSetAttribute", | |
"System.Security.Permissions.ReflectionPermissionFlag", | |
"System.Security.Permissions.ReflectionPermission", | |
"System.Security.Permissions.IDRole", | |
"System.Security.Permissions.PrincipalPermission", | |
"System.Security.Permissions.SecurityPermissionFlag", | |
"System.Security.Permissions.SecurityPermission", | |
"System.Security.Permissions.SiteIdentityPermission", | |
"System.Security.Permissions.StrongName2", | |
"System.Security.Permissions.StrongNameIdentityPermission", | |
"System.Security.Permissions.StrongNamePublicKeyBlob", | |
"System.Security.Permissions.UIPermissionWindow", | |
"System.Security.Permissions.UIPermissionClipboard", | |
"System.Security.Permissions.UIPermission", | |
"System.Security.Permissions.UrlIdentityPermission", | |
"System.Security.Permissions.ZoneIdentityPermission", | |
"System.Security.Permissions.GacIdentityPermissionAttribute", | |
"System.Security.Permissions.GacIdentityPermission", | |
"System.Security.Permissions.IUnrestrictedPermission", | |
"System.Security.Permissions.KeyContainerPermissionFlags", | |
"System.Security.Permissions.KeyContainerPermissionAccessEntry", | |
"System.Security.Permissions.KeyContainerPermissionAccessEntryCollection", | |
"System.Security.Permissions.KeyContainerPermissionAccessEntryEnumerator", | |
"System.Security.Permissions.KeyContainerPermission", | |
"System.Security.Permissions.PublisherIdentityPermission", | |
"System.Security.Permissions.RegistryPermissionAccess", | |
"System.Security.Permissions.RegistryPermission", | |
"System.Security.Claims.Claim", | |
"System.Security.Claims.ClaimsIdentity", | |
"System.Security.Claims.ClaimsPrincipal", | |
"System.Security.Claims.ClaimTypes", | |
"System.Security.Claims.ClaimValueTypes", | |
"System.Security.Claims.RoleClaimProvider", | |
"System.Security.Principal.GenericIdentity", | |
"System.Security.Principal.GenericPrincipal", | |
"System.Security.Principal.IIdentity", | |
"System.Security.Principal.IPrincipal", | |
"System.Security.Principal.PrincipalPolicy", | |
"System.Security.Principal.TokenAccessLevels", | |
"System.Security.Principal.TokenImpersonationLevel", | |
"System.Security.Principal.WindowsAccountType", | |
"System.Security.Principal.WinSecurityContext", | |
"System.Security.Principal.ImpersonationQueryResult", | |
"System.Security.Principal.WindowsIdentity", | |
"System.Security.Principal.KerbLogonSubmitType", | |
"System.Security.Principal.SecurityLogonType", | |
"System.Security.Principal.TokenType", | |
"System.Security.Principal.TokenInformationClass", | |
"System.Security.Principal.WindowsImpersonationContext", | |
"System.Security.Principal.WindowsBuiltInRole", | |
"System.Security.Principal.WindowsPrincipal", | |
"System.Security.Principal.IdentityReference", | |
"System.Security.Principal.IdentityReferenceCollection", | |
"System.Security.Principal.IdentityReferenceEnumerator", | |
"System.Security.Principal.NTAccount", | |
"System.Security.Principal.IdentifierAuthority", | |
"System.Security.Principal.SidNameUse", | |
"System.Security.Principal.WellKnownSidType", | |
"System.Security.Principal.SecurityIdentifier", | |
"System.Security.Principal.PolicyRights", | |
"System.Security.Principal.Win32", | |
"System.Security.Principal.IdentityNotMappedException", | |
"System.Security.Policy.AllMembershipCondition", | |
"System.Security.Policy.AppDomainEvidenceFactory", | |
"System.Security.Policy.ApplicationDirectory", | |
"System.Security.Policy.ApplicationDirectoryMembershipCondition", | |
"System.Security.Policy.ApplicationSecurityInfo", | |
"System.Security.Policy.ApplicationSecurityManager", | |
"System.Security.Policy.ApplicationVersionMatch", | |
"System.Security.Policy.ApplicationTrust", | |
"System.Security.Policy.ApplicationTrustCollection", | |
"System.Security.Policy.ApplicationTrustEnumerator", | |
"System.Security.Policy.AssemblyEvidenceFactory", | |
"System.Security.Policy.IUnionSemanticCodeGroup", | |
"System.Security.Policy.CodeGroup", | |
"System.Security.Policy.CodeGroupPositionMarker", | |
"System.Security.Policy.Evidence", | |
"System.Security.Policy.EvidenceBase", | |
"System.Security.Policy.ILegacyEvidenceAdapter", | |
"System.Security.Policy.LegacyEvidenceWrapper", | |
"System.Security.Policy.LegacyEvidenceList", | |
"System.Security.Policy.EvidenceTypeDescriptor", | |
"System.Security.Policy.FileCodeGroup", | |
"System.Security.Policy.FirstMatchCodeGroup", | |
"System.Security.Policy.IIdentityPermissionFactory", | |
"System.Security.Policy.IConstantMembershipCondition", | |
"System.Security.Policy.IDelayEvaluatedEvidence", | |
"System.Security.Policy.IMembershipCondition", | |
"System.Security.Policy.IReportMatchMembershipCondition", | |
"System.Security.Policy.IRuntimeEvidenceFactory", | |
"System.Security.Policy.IApplicationTrustManager", | |
"System.Security.Policy.TrustManagerUIContext", | |
"System.Security.Policy.TrustManagerContext", | |
"System.Security.Policy.CodeConnectAccess", | |
"System.Security.Policy.NetCodeGroup", | |
"System.Security.Policy.EvidenceTypeGenerated", | |
"System.Security.Policy.PEFileEvidenceFactory", | |
"System.Security.Policy.PermissionRequestEvidence", | |
"System.Security.Policy.PolicyException", | |
"System.Security.Policy.ConfigId", | |
"System.Security.Policy.PolicyLevel", | |
"System.Security.Policy.CodeGroupStackFrame", | |
"System.Security.Policy.CodeGroupStack", | |
"System.Security.Policy.PolicyStatementAttribute", | |
"System.Security.Policy.PolicyStatement", | |
"System.Security.Policy.Site", | |
"System.Security.Policy.SiteMembershipCondition", | |
"System.Security.Policy.StrongName", | |
"System.Security.Policy.StrongNameMembershipCondition", | |
"System.Security.Policy.UnionCodeGroup", | |
"System.Security.Policy.Url", | |
"System.Security.Policy.UrlMembershipCondition", | |
"System.Security.Policy.Zone", | |
"System.Security.Policy.ZoneMembershipCondition", | |
"System.Security.Policy.GacInstalled", | |
"System.Security.Policy.GacMembershipCondition", | |
"System.Security.Policy.Hash", | |
"System.Security.Policy.HashMembershipCondition", | |
"System.Security.Policy.Publisher", | |
"System.Security.Policy.PublisherMembershipCondition", | |
"System.Security.Util.QuickCacheEntryType", | |
"System.Security.Util.Config", | |
"System.Security.Util.Hex", | |
"System.Security.Util.SiteString", | |
"System.Security.Util.StringExpressionSet", | |
"System.Security.Util.TokenBasedSet", | |
"System.Security.Util.TokenBasedSetEnumerator", | |
"System.Security.Util.URLString", | |
"System.Security.Util.DirectoryString", | |
"System.Security.Util.LocalSiteString", | |
"System.Security.Util.XMLUtil", | |
"System.Security.Util.Parser", | |
"System.Security.Util.Tokenizer", | |
"System.Security.Util.TokenizerShortBlock", | |
"System.Security.Util.TokenizerStringBlock", | |
"System.Security.Util.TokenizerStream", | |
"System.Numerics.Hashing.HashHelpers", | |
"System.Resources.FastResourceComparer", | |
"System.Resources.__HResults", | |
"System.Resources.FileBasedResourceGroveler", | |
"System.Resources.IResourceGroveler", | |
"System.Resources.IResourceReader", | |
"System.Resources.IResourceWriter", | |
"System.Resources.ManifestBasedResourceGroveler", | |
"System.Resources.MissingManifestResourceException", | |
"System.Resources.MissingSatelliteAssemblyException", | |
"System.Resources.NeutralResourcesLanguageAttribute", | |
"System.Resources.ResourceFallbackManager", | |
"System.Resources.WindowsRuntimeResourceManagerBase", | |
"System.Resources.PRIExceptionInfo", | |
"System.Resources.ResourceManager", | |
"System.Resources.ResourceLocator", | |
"System.Resources.ResourceReader", | |
"System.Resources.ResourceSet", | |
"System.Resources.ResourceTypeCode", | |
"System.Resources.ResourceWriter", | |
"System.Resources.RuntimeResourceSet", | |
"System.Resources.SatelliteContractVersionAttribute", | |
"System.Resources.UltimateResourceFallbackLocation", | |
"System.Globalization.AppDomainSortingSetupInfo", | |
"System.Globalization.BidiCategory", | |
"System.Globalization.Calendar", | |
"System.Globalization.CalendarData", | |
"System.Globalization.CalendarAlgorithmType", | |
"System.Globalization.CalendarWeekRule", | |
"System.Globalization.CharUnicodeInfo", | |
"System.Globalization.CompareOptions", | |
"System.Globalization.CompareInfo", | |
"System.Globalization.CultureInfo", | |
"System.Globalization.CultureNotFoundException", | |
"System.Globalization.CultureTypes", | |
"System.Globalization.DateTimeStyles", | |
"System.Globalization.MonthNameStyles", | |
"System.Globalization.DateTimeFormatFlags", | |
"System.Globalization.DateTimeFormatInfo", | |
"System.Globalization.TokenHashValue", | |
"System.Globalization.FORMATFLAGS", | |
"System.Globalization.CalendarId", | |
"System.Globalization.DateTimeFormatInfoScanner", | |
"System.Globalization.DaylightTime", | |
"System.Globalization.DaylightTimeStruct", | |
"System.Globalization.DigitShapes", | |
"System.Globalization.CodePageDataItem", | |
"System.Globalization.EncodingTable", | |
"System.Globalization.InternalEncodingDataItem", | |
"System.Globalization.InternalCodePageDataItem", | |
"System.Globalization.GlobalizationAssembly", | |
"System.Globalization.GlobalizationExtensions", | |
"System.Globalization.GregorianCalendar", | |
"System.Globalization.GregorianCalendarTypes", | |
"System.Globalization.EraInfo", | |
"System.Globalization.GregorianCalendarHelper", | |
"System.Globalization.HebrewCalendar", | |
"System.Globalization.HijriCalendar", | |
"System.Globalization.UmAlQuraCalendar", | |
"System.Globalization.ChineseLunisolarCalendar", | |
"System.Globalization.EastAsianLunisolarCalendar", | |
"System.Globalization.JapaneseLunisolarCalendar", | |
"System.Globalization.JulianCalendar", | |
"System.Globalization.KoreanLunisolarCalendar", | |
"System.Globalization.PersianCalendar", | |
"System.Globalization.CalendricalCalculationsHelper", | |
"System.Globalization.TaiwanLunisolarCalendar", | |
"System.Globalization.IdnMapping", | |
"System.Globalization.JapaneseCalendar", | |
"System.Globalization.KoreanCalendar", | |
"System.Globalization.RegionInfo", | |
"System.Globalization.SortKey", | |
"System.Globalization.StringInfo", | |
"System.Globalization.TaiwanCalendar", | |
"System.Globalization.TextElementEnumerator", | |
"System.Globalization.TextInfo", | |
"System.Globalization.ThaiBuddhistCalendar", | |
"System.Globalization.TimeSpanFormat", | |
"System.Globalization.TimeSpanStyles", | |
"System.Globalization.TimeSpanParse", | |
"System.Globalization.NumberFormatInfo", | |
"System.Globalization.NumberStyles", | |
"System.Globalization.UnicodeCategory", | |
"System.Globalization.CultureData", | |
"System.Globalization.HebrewNumberParsingContext", | |
"System.Globalization.HebrewNumberParsingState", | |
"System.Globalization.HebrewNumber", | |
"System.Globalization.SortVersion", | |
"System.Diagnostics.Assert", | |
"System.Diagnostics.AssertFilter", | |
"System.Diagnostics.DefaultFilter", | |
"System.Diagnostics.AssertFilters", | |
"System.Diagnostics.ConditionalAttribute", | |
"System.Diagnostics.Debugger", | |
"System.Diagnostics.DebuggerStepThroughAttribute", | |
"System.Diagnostics.DebuggerStepperBoundaryAttribute", | |
"System.Diagnostics.DebuggerHiddenAttribute", | |
"System.Diagnostics.DebuggerNonUserCodeAttribute", | |
"System.Diagnostics.DebuggableAttribute", | |
"System.Diagnostics.DebuggerBrowsableState", | |
"System.Diagnostics.DebuggerBrowsableAttribute", | |
"System.Diagnostics.DebuggerTypeProxyAttribute", | |
"System.Diagnostics.DebuggerDisplayAttribute", | |
"System.Diagnostics.DebuggerVisualizerAttribute", | |
"System.Diagnostics.ICustomDebuggerNotification", | |
"System.Diagnostics.LogMessageEventHandler", | |
"System.Diagnostics.LogSwitchLevelHandler", | |
"System.Diagnostics.Log", | |
"System.Diagnostics.LoggingLevels", | |
"System.Diagnostics.LogSwitch", | |
"System.Diagnostics.StackFrameHelper", | |
"System.Diagnostics.StackTrace", | |
"System.Diagnostics.StackFrame", | |
"System.Diagnostics.EditAndContinueHelper", | |
"System.Diagnostics.SymbolStore.ISymbolBinder", | |
"System.Diagnostics.SymbolStore.ISymbolBinder1", | |
"System.Diagnostics.SymbolStore.ISymbolDocument", | |
"System.Diagnostics.SymbolStore.ISymbolDocumentWriter", | |
"System.Diagnostics.SymbolStore.ISymbolMethod", | |
"System.Diagnostics.SymbolStore.ISymbolNamespace", | |
"System.Diagnostics.SymbolStore.ISymbolReader", | |
"System.Diagnostics.SymbolStore.ISymbolScope", | |
"System.Diagnostics.SymbolStore.ISymbolVariable", | |
"System.Diagnostics.SymbolStore.ISymbolWriter", | |
"System.Diagnostics.SymbolStore.SymAddressKind", | |
"System.Diagnostics.SymbolStore.SymDocumentType", | |
"System.Diagnostics.SymbolStore.SymLanguageType", | |
"System.Diagnostics.SymbolStore.SymLanguageVendor", | |
"System.Diagnostics.SymbolStore.SymbolToken", | |
"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.Contracts.ContractFailedEventArgs", | |
"System.Diagnostics.Contracts.ContractException", | |
"System.Diagnostics.Contracts.Internal.ContractHelper", | |
"System.Diagnostics.CodeAnalysis.SuppressMessageAttribute", | |
"System.Diagnostics.Tracing.ActivityTracker", | |
"System.Diagnostics.Tracing.EventActivityOptions", | |
"System.Diagnostics.Tracing.EventDescriptor", | |
"System.Diagnostics.Tracing.ControllerCommand", | |
"System.Diagnostics.Tracing.EventProvider", | |
"System.Diagnostics.Tracing.EventSource", | |
"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.EventChannelAttribute", | |
"System.Diagnostics.Tracing.EventChannelType", | |
"System.Diagnostics.Tracing.EventCommand", | |
"System.Diagnostics.Tracing.ActivityFilter", | |
"System.Diagnostics.Tracing.EtwSession", | |
"System.Diagnostics.Tracing.SessionMask", | |
"System.Diagnostics.Tracing.EventDispatcher", | |
"System.Diagnostics.Tracing.EventManifestOptions", | |
"System.Diagnostics.Tracing.ManifestBuilder", | |
"System.Diagnostics.Tracing.ManifestEnvelope", | |
"System.Diagnostics.Tracing.EventSourceException", | |
"System.Diagnostics.Tracing.FrameworkEventSource", | |
"System.Diagnostics.Tracing.EventLevel", | |
"System.Diagnostics.Tracing.EventTask", | |
"System.Diagnostics.Tracing.EventOpcode", | |
"System.Diagnostics.Tracing.EventChannel", | |
"System.Diagnostics.Tracing.EventKeywords", | |
"System.Diagnostics.Tracing.ArrayTypeInfo`1", | |
"System.Diagnostics.Tracing.ConcurrentSet`2", | |
"System.Diagnostics.Tracing.ConcurrentSetItem`2", | |
"System.Diagnostics.Tracing.DataCollector", | |
"System.Diagnostics.Tracing.EmptyStruct", | |
"System.Diagnostics.Tracing.EnumerableTypeInfo`2", | |
"System.Diagnostics.Tracing.EnumHelper`1", | |
"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.EventSourceActivity", | |
"System.Diagnostics.Tracing.EventSourceOptions", | |
"System.Diagnostics.Tracing.FieldMetadata", | |
"System.Diagnostics.Tracing.InvokeTypeInfo`1", | |
"System.Diagnostics.Tracing.NameInfo", | |
"System.Diagnostics.Tracing.PropertyAccessor`1", | |
"System.Diagnostics.Tracing.NonGenericProperytWriter`1", | |
"System.Diagnostics.Tracing.StructPropertyWriter`2", | |
"System.Diagnostics.Tracing.ClassPropertyWriter`2", | |
"System.Diagnostics.Tracing.PropertyAnalysis", | |
"System.Diagnostics.Tracing.SimpleEventTypes`1", | |
"System.Diagnostics.Tracing.NullTypeInfo`1", | |
"System.Diagnostics.Tracing.BooleanTypeInfo", | |
"System.Diagnostics.Tracing.ByteTypeInfo", | |
"System.Diagnostics.Tracing.SByteTypeInfo", | |
"System.Diagnostics.Tracing.Int16TypeInfo", | |
"System.Diagnostics.Tracing.UInt16TypeInfo", | |
"System.Diagnostics.Tracing.Int32TypeInfo", | |
"System.Diagnostics.Tracing.UInt32TypeInfo", | |
"System.Diagnostics.Tracing.Int64TypeInfo", | |
"System.Diagnostics.Tracing.UInt64TypeInfo", | |
"System.Diagnostics.Tracing.IntPtrTypeInfo", | |
"System.Diagnostics.Tracing.UIntPtrTypeInfo", | |
"System.Diagnostics.Tracing.DoubleTypeInfo", | |
"System.Diagnostics.Tracing.SingleTypeInfo", | |
"System.Diagnostics.Tracing.CharTypeInfo", | |
"System.Diagnostics.Tracing.BooleanArrayTypeInfo", | |
"System.Diagnostics.Tracing.ByteArrayTypeInfo", | |
"System.Diagnostics.Tracing.SByteArrayTypeInfo", | |
"System.Diagnostics.Tracing.Int16ArrayTypeInfo", | |
"System.Diagnostics.Tracing.UInt16ArrayTypeInfo", | |
"System.Diagnostics.Tracing.Int32ArrayTypeInfo", | |
"System.Diagnostics.Tracing.UInt32ArrayTypeInfo", | |
"System.Diagnostics.Tracing.Int64ArrayTypeInfo", | |
"System.Diagnostics.Tracing.UInt64ArrayTypeInfo", | |
"System.Diagnostics.Tracing.IntPtrArrayTypeInfo", | |
"System.Diagnostics.Tracing.UIntPtrArrayTypeInfo", | |
"System.Diagnostics.Tracing.CharArrayTypeInfo", | |
"System.Diagnostics.Tracing.DoubleArrayTypeInfo", | |
"System.Diagnostics.Tracing.SingleArrayTypeInfo", | |
"System.Diagnostics.Tracing.EnumByteTypeInfo`1", | |
"System.Diagnostics.Tracing.EnumSByteTypeInfo`1", | |
"System.Diagnostics.Tracing.EnumInt16TypeInfo`1", | |
"System.Diagnostics.Tracing.EnumUInt16TypeInfo`1", | |
"System.Diagnostics.Tracing.EnumInt32TypeInfo`1", | |
"System.Diagnostics.Tracing.EnumUInt32TypeInfo`1", | |
"System.Diagnostics.Tracing.EnumInt64TypeInfo`1", | |
"System.Diagnostics.Tracing.EnumUInt64TypeInfo`1", | |
"System.Diagnostics.Tracing.StringTypeInfo", | |
"System.Diagnostics.Tracing.GuidTypeInfo", | |
"System.Diagnostics.Tracing.GuidArrayTypeInfo", | |
"System.Diagnostics.Tracing.DateTimeTypeInfo", | |
"System.Diagnostics.Tracing.DateTimeOffsetTypeInfo", | |
"System.Diagnostics.Tracing.TimeSpanTypeInfo", | |
"System.Diagnostics.Tracing.DecimalTypeInfo", | |
"System.Diagnostics.Tracing.KeyValuePairTypeInfo`2", | |
"System.Diagnostics.Tracing.NullableTypeInfo`1", | |
"System.Diagnostics.Tracing.Statics", | |
"System.Diagnostics.Tracing.TraceLoggingDataCollector", | |
"System.Diagnostics.Tracing.TraceLoggingDataType", | |
"System.Diagnostics.Tracing.EventTags", | |
"System.Diagnostics.Tracing.TraceLoggingEventTypes", | |
"System.Diagnostics.Tracing.TraceLoggingMetadataCollector", | |
"System.Diagnostics.Tracing.TraceLoggingTypeInfo", | |
"System.Diagnostics.Tracing.TraceLoggingTypeInfo`1", | |
"System.Diagnostics.Tracing.TypeAnalysis", | |
"System.Diagnostics.Tracing.Internal.Environment", | |
"System.Collections.CaseInsensitiveComparer", | |
"System.Collections.CaseInsensitiveHashCodeProvider", | |
"System.Collections.CollectionBase", | |
"System.Collections.DictionaryBase", | |
"System.Collections.ReadOnlyCollectionBase", | |
"System.Collections.Queue", | |
"System.Collections.ArrayList", | |
"System.Collections.BitArray", | |
"System.Collections.Stack", | |
"System.Collections.Comparer", | |
"System.Collections.CompatibleComparer", | |
"System.Collections.ListDictionaryInternal", | |
"System.Collections.EmptyReadOnlyDictionaryInternal", | |
"System.Collections.Hashtable", | |
"System.Collections.HashHelpers", | |
"System.Collections.DictionaryEntry", | |
"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.KeyValuePairs", | |
"System.Collections.SortedList", | |
"System.Collections.IStructuralEquatable", | |
"System.Collections.IStructuralComparable", | |
"System.Collections.StructuralComparisons", | |
"System.Collections.StructuralEqualityComparer", | |
"System.Collections.StructuralComparer", | |
"System.Collections.Concurrent.ConcurrentStack`1", | |
"System.Collections.Concurrent.IProducerConsumerCollection`1", | |
"System.Collections.Concurrent.SystemCollectionsConcurrent_ProducerConsumerCollectionDebugView`1", | |
"System.Collections.Concurrent.CDSCollectionETWBCLProvider", | |
"System.Collections.Concurrent.ConcurrentDictionary`2", | |
"System.Collections.Concurrent.ConcurrentQueue`1", | |
"System.Collections.Concurrent.VolatileBool", | |
"System.Collections.Concurrent.Partitioner`1", | |
"System.Collections.Concurrent.OrderablePartitioner`1", | |
"System.Collections.Concurrent.EnumerablePartitionerOptions", | |
"System.Collections.Concurrent.Partitioner", | |
"System.Collections.ObjectModel.Collection`1", | |
"System.Collections.ObjectModel.ReadOnlyCollection`1", | |
"System.Collections.ObjectModel.ReadOnlyDictionary`2", | |
"System.Collections.ObjectModel.ReadOnlyDictionaryHelpers", | |
"System.Collections.ObjectModel.KeyedCollection`2", | |
"System.Collections.Generic.Comparer`1", | |
"System.Collections.Generic.GenericComparer`1", | |
"System.Collections.Generic.NullableComparer`1", | |
"System.Collections.Generic.ObjectComparer`1", | |
"System.Collections.Generic.ComparisonComparer`1", | |
"System.Collections.Generic.Dictionary`2", | |
"System.Collections.Generic.EqualityComparer`1", | |
"System.Collections.Generic.GenericEqualityComparer`1", | |
"System.Collections.Generic.NullableEqualityComparer`1", | |
"System.Collections.Generic.ObjectEqualityComparer`1", | |
"System.Collections.Generic.ByteEqualityComparer", | |
"System.Collections.Generic.EnumEqualityComparer`1", | |
"System.Collections.Generic.SByteEnumEqualityComparer`1", | |
"System.Collections.Generic.ShortEnumEqualityComparer`1", | |
"System.Collections.Generic.LongEnumEqualityComparer`1", | |
"System.Collections.Generic.RandomizedStringEqualityComparer", | |
"System.Collections.Generic.RandomizedObjectEqualityComparer", | |
"System.Collections.Generic.Mscorlib_CollectionDebugView`1", | |
"System.Collections.Generic.Mscorlib_DictionaryKeyCollectionDebugView`2", | |
"System.Collections.Generic.Mscorlib_DictionaryValueCollectionDebugView`2", | |
"System.Collections.Generic.Mscorlib_DictionaryDebugView`2", | |
"System.Collections.Generic.Mscorlib_KeyedCollectionDebugView`2", | |
"System.Collections.Generic.ICollection`1", | |
"System.Collections.Generic.IComparer`1", | |
"System.Collections.Generic.IDictionary`2", | |
"System.Collections.Generic.IEnumerable`1", | |
"System.Collections.Generic.IEnumerator`1", | |
"System.Collections.Generic.IEqualityComparer`1", | |
"System.Collections.Generic.IList`1", | |
"System.Collections.Generic.IReadOnlyCollection`1", | |
"System.Collections.Generic.IReadOnlyList`1", | |
"System.Collections.Generic.IReadOnlyDictionary`2", | |
"System.Collections.Generic.KeyNotFoundException", | |
"System.Collections.Generic.KeyValuePair`2", | |
"System.Collections.Generic.List`1", | |
"System.Collections.Generic.IArraySortHelper`1", | |
"System.Collections.Generic.IntrospectiveSortUtilities", | |
"System.Collections.Generic.ArraySortHelper`1", | |
"System.Collections.Generic.GenericArraySortHelper`1", | |
"System.Collections.Generic.IArraySortHelper`2", | |
"System.Collections.Generic.ArraySortHelper`2", | |
"System.Collections.Generic.GenericArraySortHelper`2", | |
"System.Threading.AbandonedMutexException", | |
"System.Threading.AsyncLocal`1", | |
"System.Threading.IAsyncLocal", | |
"System.Threading.AsyncLocalValueChangedArgs`1", | |
"System.Threading.IAsyncLocalValueMap", | |
"System.Threading.AsyncLocalValueMap", | |
"System.Threading.AutoResetEvent", | |
"System.Threading.SendOrPostCallback", | |
"System.Threading.SynchronizationContextProperties", | |
"System.Threading.WinRTSynchronizationContextFactoryBase", | |
"System.Threading.SynchronizationContext", | |
"System.Threading.CompressedStackSwitcher", | |
"System.Threading.SafeCompressedStackHandle", | |
"System.Threading.CompressedStack", | |
"System.Threading.DomainCompressedStack", | |
"System.Threading.EventResetMode", | |
"System.Threading.EventWaitHandle", | |
"System.Threading.ContextCallback", | |
"System.Threading.ExecutionContextSwitcher", | |
"System.Threading.AsyncFlowControl", | |
"System.Threading.ExecutionContext", | |
"System.Threading.Interlocked", | |
"System.Threading.HostExecutionContextSwitcher", | |
"System.Threading.HostExecutionContext", | |
"System.Threading.IUnknownSafeHandle", | |
"System.Threading.HostExecutionContextManager", | |
"System.Threading.LockCookie", | |
"System.Threading.LockRecursionException", | |
"System.Threading.ManualResetEvent", | |
"System.Threading.Monitor", | |
"System.Threading.Mutex", | |
"System.Threading.NativeOverlapped", | |
"System.Threading._IOCompletionCallback", | |
"System.Threading.OverlappedData", | |
"System.Threading.Overlapped", | |
"System.Threading.PreAllocatedOverlapped", | |
"System.Threading.ThreadPoolBoundHandleOverlapped", | |
"System.Threading.ThreadPoolBoundHandle", | |
"System.Threading.IDeferredDisposable", | |
"System.Threading.DeferredDisposableLifetime`1", | |
"System.Threading.ParameterizedThreadStart", | |
"System.Threading.PinnableBufferCache", | |
"System.Threading.Gen2GcCallback", | |
"System.Threading.PinnableBufferCacheEventSource", | |
"System.Threading.ReaderWriterLock", | |
"System.Threading.SemaphoreFullException", | |
"System.Threading.SynchronizationLockException", | |
"System.Threading.InternalCrossContextDelegate", | |
"System.Threading.ThreadHelper", | |
"System.Threading.ThreadHandle", | |
"System.Threading.Thread", | |
"System.Threading.StackCrawlMark", | |
"System.Threading.ThreadAbortException", | |
"System.Threading.ThreadInterruptedException", | |
"System.Threading.ThreadPoolGlobals", | |
"System.Threading.ThreadPoolWorkQueue", | |
"System.Threading.ThreadPoolWorkQueueThreadLocals", | |
"System.Threading.RegisteredWaitHandleSafe", | |
"System.Threading.RegisteredWaitHandle", | |
"System.Threading.WaitCallback", | |
"System.Threading.WaitOrTimerCallback", | |
"System.Threading._ThreadPoolWaitCallback", | |
"System.Threading.IThreadPoolWorkItem", | |
"System.Threading.QueueUserWorkItemCallback", | |
"System.Threading._ThreadPoolWaitOrTimerCallback", | |
"System.Threading.IOCompletionCallback", | |
"System.Threading.ThreadPool", | |
"System.Threading.ThreadPriority", | |
"System.Threading.ThreadStart", | |
"System.Threading.ThreadState", | |
"System.Threading.ThreadStateException", | |
"System.Threading.ThreadStartException", | |
"System.Threading.Timeout", | |
"System.Threading.TimerCallback", | |
"System.Threading.TimerQueue", | |
"System.Threading.TimerQueueTimer", | |
"System.Threading.TimerHolder", | |
"System.Threading.Timer", | |
"System.Threading.Volatile", | |
"System.Threading.WaitHandle", | |
"System.Threading.WaitHandleExtensions", | |
"System.Threading.WaitHandleCannotBeOpenedException", | |
"System.Threading.ApartmentState", | |
"System.Threading.SpinLock", | |
"System.Threading.SpinWait", | |
"System.Threading.PlatformHelper", | |
"System.Threading.TimeoutHelper", | |
"System.Threading.CountdownEvent", | |
"System.Threading.CdsSyncEtwBCLProvider", | |
"System.Threading.LazyThreadSafetyMode", | |
"System.Threading.LazyInitializer", | |
"System.Threading.LazyHelpers`1", | |
"System.Threading.ThreadLocal`1", | |
"System.Threading.SystemThreading_ThreadLocalDebugView`1", | |
"System.Threading.SemaphoreSlim", | |
"System.Threading.ManualResetEventSlim", | |
"System.Threading.CancellationTokenRegistration", | |
"System.Threading.CancellationTokenSource", | |
"System.Threading.CancellationCallbackCoreWorkArguments", | |
"System.Threading.CancellationCallbackInfo", | |
"System.Threading.SparselyPopulatedArray`1", | |
"System.Threading.SparselyPopulatedArrayAddInfo`1", | |
"System.Threading.SparselyPopulatedArrayFragment`1", | |
"System.Threading.CancellationToken", | |
"System.Threading.Tasks.Task`1", | |
"System.Threading.Tasks.SystemThreadingTasks_FutureDebugView`1", | |
"System.Threading.Tasks.TaskFactory`1", | |
"System.Threading.Tasks.GenericDelegateCache`2", | |
"System.Threading.Tasks.ParallelOptions", | |
"System.Threading.Tasks.Parallel", | |
"System.Threading.Tasks.IndexRange", | |
"System.Threading.Tasks.RangeWorker", | |
"System.Threading.Tasks.RangeManager", | |
"System.Threading.Tasks.ParallelLoopState", | |
"System.Threading.Tasks.ParallelLoopState32", | |
"System.Threading.Tasks.ParallelLoopState64", | |
"System.Threading.Tasks.ParallelLoopStateFlags", | |
"System.Threading.Tasks.ParallelLoopStateFlags32", | |
"System.Threading.Tasks.ParallelLoopStateFlags64", | |
"System.Threading.Tasks.ParallelLoopResult", | |
"System.Threading.Tasks.Shared`1", | |
"System.Threading.Tasks.TaskStatus", | |
"System.Threading.Tasks.Task", | |
"System.Threading.Tasks.CompletionActionInvoker", | |
"System.Threading.Tasks.SystemThreadingTasks_TaskDebugView", | |
"System.Threading.Tasks.ParallelForReplicatingTask", | |
"System.Threading.Tasks.ParallelForReplicaTask", | |
"System.Threading.Tasks.TaskCreationOptions", | |
"System.Threading.Tasks.InternalTaskOptions", | |
"System.Threading.Tasks.TaskContinuationOptions", | |
"System.Threading.Tasks.StackGuard", | |
"System.Threading.Tasks.VoidTaskResult", | |
"System.Threading.Tasks.ITaskCompletionAction", | |
"System.Threading.Tasks.UnwrapPromise`1", | |
"System.Threading.Tasks.ContinuationTaskFromTask", | |
"System.Threading.Tasks.ContinuationResultTaskFromTask`1", | |
"System.Threading.Tasks.ContinuationTaskFromResultTask`1", | |
"System.Threading.Tasks.ContinuationResultTaskFromResultTask`2", | |
"System.Threading.Tasks.TaskContinuation", | |
"System.Threading.Tasks.StandardTaskContinuation", | |
"System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation", | |
"System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation", | |
"System.Threading.Tasks.AwaitTaskContinuation", | |
"System.Threading.Tasks.TaskCanceledException", | |
"System.Threading.Tasks.TaskSchedulerException", | |
"System.Threading.Tasks.TaskExceptionHolder", | |
"System.Threading.Tasks.TaskFactory", | |
"System.Threading.Tasks.TaskScheduler", | |
"System.Threading.Tasks.SynchronizationContextTaskScheduler", | |
"System.Threading.Tasks.UnobservedTaskExceptionEventArgs", | |
"System.Threading.Tasks.ThreadPoolTaskScheduler", | |
"System.Threading.Tasks.TaskCompletionSource`1", | |
"System.Threading.Tasks.CausalityTraceLevel", | |
"System.Threading.Tasks.AsyncCausalityStatus", | |
"System.Threading.Tasks.CausalityRelation", | |
"System.Threading.Tasks.CausalitySynchronousWork", | |
"System.Threading.Tasks.AsyncCausalityTracer", | |
"System.Threading.Tasks.ConcurrentExclusiveSchedulerPair", | |
"System.Threading.Tasks.IProducerConsumerQueue`1", | |
"System.Threading.Tasks.MultiProducerMultiConsumerQueue`1", | |
"System.Threading.Tasks.SingleProducerSingleConsumerQueue`1", | |
"System.Threading.Tasks.PaddingHelpers", | |
"System.Threading.Tasks.PaddingFor32", | |
"System.Threading.Tasks.TplEtwProvider", | |
"System.Threading.Tasks.BeginEndAwaitableAdapter", | |
"System.Threading.Tasks.TaskToApm", | |
"System.Threading.NetCore.TimerQueue", | |
"System.Threading.NetCore.TimerQueueTimer", | |
"System.StubHelpers.AnsiCharMarshaler", | |
"System.StubHelpers.CSTRMarshaler", | |
"System.StubHelpers.UTF8Marshaler", | |
"System.StubHelpers.UTF8BufferMarshaler", | |
"System.StubHelpers.BSTRMarshaler", | |
"System.StubHelpers.VBByValStrMarshaler", | |
"System.StubHelpers.AnsiBSTRMarshaler", | |
"System.StubHelpers.WSTRBufferMarshaler", | |
"System.StubHelpers.DateTimeNative", | |
"System.StubHelpers.DateTimeOffsetMarshaler", | |
"System.StubHelpers.HStringMarshaler", | |
"System.StubHelpers.ObjectMarshaler", | |
"System.StubHelpers.ValueClassMarshaler", | |
"System.StubHelpers.DateMarshaler", | |
"System.StubHelpers.InterfaceMarshaler", | |
"System.StubHelpers.UriMarshaler", | |
"System.StubHelpers.EventArgsMarshaler", | |
"System.StubHelpers.MngdNativeArrayMarshaler", | |
"System.StubHelpers.MngdSafeArrayMarshaler", | |
"System.StubHelpers.MngdHiddenLengthArrayMarshaler", | |
"System.StubHelpers.MngdRefCustomMarshaler", | |
"System.StubHelpers.AsAnyMarshaler", | |
"System.StubHelpers.NullableMarshaler", | |
"System.StubHelpers.TypeNameNative", | |
"System.StubHelpers.TypeKind", | |
"System.StubHelpers.WinRTTypeNameConverter", | |
"System.StubHelpers.SystemTypeMarshaler", | |
"System.StubHelpers.HResultExceptionMarshaler", | |
"System.StubHelpers.KeyValuePairMarshaler", | |
"System.StubHelpers.NativeVariant", | |
"System.StubHelpers.CleanupWorkListElement", | |
"System.StubHelpers.CleanupWorkList", | |
"System.StubHelpers.StubHelpers", | |
"System.Reflection.CerHashtable`2", | |
"System.Reflection.__Filters", | |
"System.Reflection.AmbiguousMatchException", | |
"System.Reflection.ModuleResolveEventHandler", | |
"System.Reflection.Assembly", | |
"System.Reflection.LoadContext", | |
"System.Reflection.RuntimeAssembly", | |
"System.Reflection.AssemblyCopyrightAttribute", | |
"System.Reflection.AssemblyTrademarkAttribute", | |
"System.Reflection.AssemblyProductAttribute", | |
"System.Reflection.AssemblyCompanyAttribute", | |
"System.Reflection.AssemblyDescriptionAttribute", | |
"System.Reflection.AssemblyTitleAttribute", | |
"System.Reflection.AssemblyConfigurationAttribute", | |
"System.Reflection.AssemblyDefaultAliasAttribute", | |
"System.Reflection.AssemblyInformationalVersionAttribute", | |
"System.Reflection.AssemblyFileVersionAttribute", | |
"System.Reflection.AssemblyCultureAttribute", | |
"System.Reflection.AssemblyVersionAttribute", | |
"System.Reflection.AssemblyKeyFileAttribute", | |
"System.Reflection.AssemblyDelaySignAttribute", | |
"System.Reflection.AssemblyAlgorithmIdAttribute", | |
"System.Reflection.AssemblyFlagsAttribute", | |
"System.Reflection.AssemblyMetadataAttribute", | |
"System.Reflection.AssemblySignatureKeyAttribute", | |
"System.Reflection.AssemblyKeyNameAttribute", | |
"System.Reflection.AssemblyName", | |
"System.Reflection.AssemblyNameProxy", | |
"System.Reflection.AssemblyNameFlags", | |
"System.Reflection.AssemblyContentType", | |
"System.Reflection.ProcessorArchitecture", | |
"System.Reflection.Associates", | |
"System.Reflection.CustomAttributeExtensions", | |
"System.Reflection.CustomAttributeFormatException", | |
"System.Reflection.Binder", | |
"System.Reflection.BindingFlags", | |
"System.Reflection.CallingConventions", | |
"System.Reflection.ConstructorInfo", | |
"System.Reflection.RuntimeConstructorInfo", | |
"System.Reflection.CustomAttributeData", | |
"System.Reflection.CustomAttributeNamedArgument", | |
"System.Reflection.CustomAttributeTypedArgument", | |
"System.Reflection.CustomAttributeRecord", | |
"System.Reflection.CustomAttributeEncoding", | |
"System.Reflection.CustomAttributeEncodedArgument", | |
"System.Reflection.CustomAttributeNamedParameter", | |
"System.Reflection.CustomAttributeCtorParameter", | |
"System.Reflection.SecurityContextFrame", | |
"System.Reflection.CustomAttributeType", | |
"System.Reflection.CustomAttribute", | |
"System.Reflection.PseudoCustomAttribute", | |
"System.Reflection.DefaultMemberAttribute", | |
"System.Reflection.EventAttributes", | |
"System.Reflection.EventInfo", | |
"System.Reflection.RuntimeEventInfo", | |
"System.Reflection.FieldAttributes", | |
"System.Reflection.FieldInfo", | |
"System.Reflection.RuntimeFieldInfo", | |
"System.Reflection.RtFieldInfo", | |
"System.Reflection.MdFieldInfo", | |
"System.Reflection.GenericParameterAttributes", | |
"System.Reflection.ICustomAttributeProvider", | |
"System.Reflection.IReflectableType", | |
"System.Reflection.IntrospectionExtensions", | |
"System.Reflection.RuntimeReflectionExtensions", | |
"System.Reflection.InterfaceMapping", | |
"System.Reflection.InvalidFilterCriteriaException", | |
"System.Reflection.IReflect", | |
"System.Reflection.LoaderAllocatorScout", | |
"System.Reflection.LoaderAllocator", | |
"System.Reflection.ManifestResourceInfo", | |
"System.Reflection.ResourceLocation", | |
"System.Reflection.MdConstant", | |
"System.Reflection.CorElementType", | |
"System.Reflection.MdSigCallingConvention", | |
"System.Reflection.PInvokeAttributes", | |
"System.Reflection.MethodSemanticsAttributes", | |
"System.Reflection.MetadataTokenType", | |
"System.Reflection.ConstArray", | |
"System.Reflection.MetadataToken", | |
"System.Reflection.MetadataEnumResult", | |
"System.Reflection.MetadataImport", | |
"System.Reflection.MetadataException", | |
"System.Reflection.MemberFilter", | |
"System.Reflection.MemberInfo", | |
"System.Reflection.MemberInfoSerializationHolder", | |
"System.Reflection.MemberTypes", | |
"System.Reflection.MethodAttributes", | |
"System.Reflection.INVOCATION_FLAGS", | |
"System.Reflection.MethodBase", | |
"System.Reflection.MethodImplAttributes", | |
"System.Reflection.MethodInfo", | |
"System.Reflection.RuntimeMethodInfo", | |
"System.Reflection.Missing", | |
"System.Reflection.PortableExecutableKinds", | |
"System.Reflection.ImageFileMachine", | |
"System.Reflection.Module", | |
"System.Reflection.RuntimeModule", | |
"System.Reflection.ObfuscateAssemblyAttribute", | |
"System.Reflection.ObfuscationAttribute", | |
"System.Reflection.ExceptionHandlingClauseOptions", | |
"System.Reflection.ExceptionHandlingClause", | |
"System.Reflection.MethodBody", | |
"System.Reflection.LocalVariableInfo", | |
"System.Reflection.ParameterAttributes", | |
"System.Reflection.ParameterInfo", | |
"System.Reflection.RuntimeParameterInfo", | |
"System.Reflection.ParameterModifier", | |
"System.Reflection.Pointer", | |
"System.Reflection.PropertyAttributes", | |
"System.Reflection.PropertyInfo", | |
"System.Reflection.RuntimePropertyInfo", | |
"System.Reflection.ReflectionContext", | |
"System.Reflection.ReflectionTypeLoadException", | |
"System.Reflection.ResourceAttributes", | |
"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.Emit.DynamicAssemblyFlags", | |
"System.Reflection.Emit.InternalAssemblyBuilder", | |
"System.Reflection.Emit.AssemblyBuilder", | |
"System.Reflection.Emit.AssemblyBuilderData", | |
"System.Reflection.Emit.ResWriterData", | |
"System.Reflection.Emit.NativeVersionInfo", | |
"System.Reflection.Emit.AssemblyBuilderAccess", | |
"System.Reflection.Emit.TypeNameBuilder", | |
"System.Reflection.Emit.ConstructorBuilder", | |
"System.Reflection.Emit.DynamicILGenerator", | |
"System.Reflection.Emit.DynamicResolver", | |
"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.EventBuilder", | |
"System.Reflection.Emit.EventToken", | |
"System.Reflection.Emit.FieldBuilder", | |
"System.Reflection.Emit.FieldToken", | |
"System.Reflection.Emit.ILGenerator", | |
"System.Reflection.Emit.__FixupData", | |
"System.Reflection.Emit.__ExceptionInfo", | |
"System.Reflection.Emit.ScopeAction", | |
"System.Reflection.Emit.ScopeTree", | |
"System.Reflection.Emit.LineNumberInfo", | |
"System.Reflection.Emit.REDocument", | |
"System.Reflection.Emit.Label", | |
"System.Reflection.Emit.LocalBuilder", | |
"System.Reflection.Emit.MethodBuilder", | |
"System.Reflection.Emit.LocalSymInfo", | |
"System.Reflection.Emit.ExceptionHandler", | |
"System.Reflection.Emit.MethodBuilderInstantiation", | |
"System.Reflection.Emit.TypeKind", | |
"System.Reflection.Emit.SymbolType", | |
"System.Reflection.Emit.SymbolMethod", | |
"System.Reflection.Emit.CustomAttributeBuilder", | |
"System.Reflection.Emit.MethodRental", | |
"System.Reflection.Emit.MethodToken", | |
"System.Reflection.Emit.InternalModuleBuilder", | |
"System.Reflection.Emit.ModuleBuilder", | |
"System.Reflection.Emit.ModuleBuilderData", | |
"System.Reflection.Emit.PEFileKinds", | |
"System.Reflection.Emit.OpCodeValues", | |
"System.Reflection.Emit.OpCodes", | |
"System.Reflection.Emit.OpCode", | |
"System.Reflection.Emit.OpCodeType", | |
"System.Reflection.Emit.StackBehaviour", | |
"System.Reflection.Emit.OperandType", | |
"System.Reflection.Emit.FlowControl", | |
"System.Reflection.Emit.ParameterBuilder", | |
"System.Reflection.Emit.ParameterToken", | |
"System.Reflection.Emit.PropertyBuilder", | |
"System.Reflection.Emit.PropertyToken", | |
"System.Reflection.Emit.SignatureHelper", | |
"System.Reflection.Emit.SignatureToken", | |
"System.Reflection.Emit.StringToken", | |
"System.Reflection.Emit.PackingSize", | |
"System.Reflection.Emit.TypeBuilder", | |
"System.Reflection.Emit.TypeBuilderInstantiation", | |
"System.Reflection.Emit.GenericTypeParameterBuilder", | |
"System.Reflection.Emit.EnumBuilder", | |
"System.Reflection.Emit.TypeToken", | |
"System.Reflection.Emit.MethodOnTypeBuilderInstantiation", | |
"System.Reflection.Emit.ConstructorOnTypeBuilderInstantiation", | |
"System.Reflection.Emit.FieldOnTypeBuilderInstantiation", | |
"System.Reflection.Emit.UnmanagedMarshal", | |
"System.Deployment.Internal.InternalApplicationIdentityHelper", | |
"System.Deployment.Internal.InternalActivationContextHelper", | |
"System.Deployment.Internal.Isolation.ISection", | |
"System.Deployment.Internal.Isolation.ISectionWithStringKey", | |
"System.Deployment.Internal.Isolation.ISectionWithReferenceIdentityKey", | |
"System.Deployment.Internal.Isolation.ISectionEntry", | |
"System.Deployment.Internal.Isolation.IEnumUnknown", | |
"System.Deployment.Internal.Isolation.ICDF", | |
"System.Deployment.Internal.Isolation.BLOB", | |
"System.Deployment.Internal.Isolation.IDENTITY_ATTRIBUTE", | |
"System.Deployment.Internal.Isolation.STORE_ASSEMBLY_STATUS_FLAGS", | |
"System.Deployment.Internal.Isolation.STORE_ASSEMBLY", | |
"System.Deployment.Internal.Isolation.STORE_ASSEMBLY_FILE_STATUS_FLAGS", | |
"System.Deployment.Internal.Isolation.STORE_ASSEMBLY_FILE", | |
"System.Deployment.Internal.Isolation.STORE_CATEGORY", | |
"System.Deployment.Internal.Isolation.STORE_CATEGORY_SUBCATEGORY", | |
"System.Deployment.Internal.Isolation.STORE_CATEGORY_INSTANCE", | |
"System.Deployment.Internal.Isolation.CATEGORY", | |
"System.Deployment.Internal.Isolation.CATEGORY_SUBCATEGORY", | |
"System.Deployment.Internal.Isolation.CATEGORY_INSTANCE", | |
"System.Deployment.Internal.Isolation.IEnumSTORE_ASSEMBLY_INSTALLATION_REFERENCE", | |
"System.Deployment.Internal.Isolation.IEnumSTORE_DEPLOYMENT_METADATA", | |
"System.Deployment.Internal.Isolation.StoreDeploymentMetadataEnumeration", | |
"System.Deployment.Internal.Isolation.IEnumSTORE_DEPLOYMENT_METADATA_PROPERTY", | |
"System.Deployment.Internal.Isolation.StoreDeploymentMetadataPropertyEnumeration", | |
"System.Deployment.Internal.Isolation.IEnumSTORE_ASSEMBLY", | |
"System.Deployment.Internal.Isolation.StoreAssemblyEnumeration", | |
"System.Deployment.Internal.Isolation.IEnumSTORE_ASSEMBLY_FILE", | |
"System.Deployment.Internal.Isolation.StoreAssemblyFileEnumeration", | |
"System.Deployment.Internal.Isolation.IEnumSTORE_CATEGORY", | |
"System.Deployment.Internal.Isolation.StoreCategoryEnumeration", | |
"System.Deployment.Internal.Isolation.IEnumSTORE_CATEGORY_SUBCATEGORY", | |
"System.Deployment.Internal.Isolation.StoreSubcategoryEnumeration", | |
"System.Deployment.Internal.Isolation.IEnumSTORE_CATEGORY_INSTANCE", | |
"System.Deployment.Internal.Isolation.StoreCategoryInstanceEnumeration", | |
"System.Deployment.Internal.Isolation.IReferenceIdentity", | |
"System.Deployment.Internal.Isolation.IDefinitionIdentity", | |
"System.Deployment.Internal.Isolation.IEnumIDENTITY_ATTRIBUTE", | |
"System.Deployment.Internal.Isolation.IEnumDefinitionIdentity", | |
"System.Deployment.Internal.Isolation.IEnumReferenceIdentity", | |
"System.Deployment.Internal.Isolation.IDefinitionAppId", | |
"System.Deployment.Internal.Isolation.IReferenceAppId", | |
"System.Deployment.Internal.Isolation.IIDENTITYAUTHORITY_DEFINITION_IDENTITY_TO_TEXT_FLAGS", | |
"System.Deployment.Internal.Isolation.IIDENTITYAUTHORITY_REFERENCE_IDENTITY_TO_TEXT_FLAGS", | |
"System.Deployment.Internal.Isolation.IIDENTITYAUTHORITY_DOES_DEFINITION_MATCH_REFERENCE_FLAGS", | |
"System.Deployment.Internal.Isolation.IIdentityAuthority", | |
"System.Deployment.Internal.Isolation.IAPPIDAUTHORITY_ARE_DEFINITIONS_EQUAL_FLAGS", | |
"System.Deployment.Internal.Isolation.IAPPIDAUTHORITY_ARE_REFERENCES_EQUAL_FLAGS", | |
"System.Deployment.Internal.Isolation.IAppIdAuthority", | |
"System.Deployment.Internal.Isolation.ISTORE_BIND_REFERENCE_TO_ASSEMBLY_FLAGS", | |
"System.Deployment.Internal.Isolation.ISTORE_ENUM_ASSEMBLIES_FLAGS", | |
"System.Deployment.Internal.Isolation.ISTORE_ENUM_FILES_FLAGS", | |
"System.Deployment.Internal.Isolation.StoreOperationStageComponent", | |
"System.Deployment.Internal.Isolation.StoreOperationStageComponentFile", | |
"System.Deployment.Internal.Isolation.StoreApplicationReference", | |
"System.Deployment.Internal.Isolation.StoreOperationPinDeployment", | |
"System.Deployment.Internal.Isolation.StoreOperationUnpinDeployment", | |
"System.Deployment.Internal.Isolation.StoreOperationInstallDeployment", | |
"System.Deployment.Internal.Isolation.StoreOperationUninstallDeployment", | |
"System.Deployment.Internal.Isolation.StoreOperationMetadataProperty", | |
"System.Deployment.Internal.Isolation.StoreOperationSetDeploymentMetadata", | |
"System.Deployment.Internal.Isolation.StoreOperationSetCanonicalizationContext", | |
"System.Deployment.Internal.Isolation.StoreOperationScavenge", | |
"System.Deployment.Internal.Isolation.StoreTransactionOperationType", | |
"System.Deployment.Internal.Isolation.StoreTransactionOperation", | |
"System.Deployment.Internal.Isolation.StoreTransactionData", | |
"System.Deployment.Internal.Isolation.Store", | |
"System.Deployment.Internal.Isolation.IStore_BindingResult_BoundVersion", | |
"System.Deployment.Internal.Isolation.IStore_BindingResult", | |
"System.Deployment.Internal.Isolation.IStore", | |
"System.Deployment.Internal.Isolation.StoreTransaction", | |
"System.Deployment.Internal.Isolation.IManifestParseErrorCallback", | |
"System.Deployment.Internal.Isolation.IsolationInterop", | |
"System.Deployment.Internal.Isolation.IManifestInformation", | |
"System.Deployment.Internal.Isolation.IActContext", | |
"System.Deployment.Internal.Isolation.StateManager_RunningState", | |
"System.Deployment.Internal.Isolation.IStateManager", | |
"System.Deployment.Internal.Isolation.Manifest.CMSSECTIONID", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_ASSEMBLY_DEPLOYMENT_FLAG", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_ASSEMBLY_REFERENCE_FLAG", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_ASSEMBLY_REFERENCE_DEPENDENT_ASSEMBLY_FLAG", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_FILE_FLAG", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_ENTRY_POINT_FLAG", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_COM_SERVER_FLAG", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_USAGE_PATTERN", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_SCHEMA_VERSION", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_FILE_HASH_ALGORITHM", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_TIME_UNIT_TYPE", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_FILE_WRITABLE_TYPE", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_HASH_TRANSFORM", | |
"System.Deployment.Internal.Isolation.Manifest.CMS_HASH_DIGESTMETHOD", | |
"System.Deployment.Internal.Isolation.Manifest.ICMS", | |
"System.Deployment.Internal.Isolation.Manifest.MuiResourceIdLookupMapEntry", | |
"System.Deployment.Internal.Isolation.Manifest.MuiResourceIdLookupMapEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IMuiResourceIdLookupMapEntry", | |
"System.Deployment.Internal.Isolation.Manifest.MuiResourceTypeIdStringEntry", | |
"System.Deployment.Internal.Isolation.Manifest.MuiResourceTypeIdStringEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IMuiResourceTypeIdStringEntry", | |
"System.Deployment.Internal.Isolation.Manifest.MuiResourceTypeIdIntEntry", | |
"System.Deployment.Internal.Isolation.Manifest.MuiResourceTypeIdIntEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IMuiResourceTypeIdIntEntry", | |
"System.Deployment.Internal.Isolation.Manifest.MuiResourceMapEntry", | |
"System.Deployment.Internal.Isolation.Manifest.MuiResourceMapEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IMuiResourceMapEntry", | |
"System.Deployment.Internal.Isolation.Manifest.HashElementEntry", | |
"System.Deployment.Internal.Isolation.Manifest.HashElementEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IHashElementEntry", | |
"System.Deployment.Internal.Isolation.Manifest.FileEntry", | |
"System.Deployment.Internal.Isolation.Manifest.FileEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IFileEntry", | |
"System.Deployment.Internal.Isolation.Manifest.FileAssociationEntry", | |
"System.Deployment.Internal.Isolation.Manifest.FileAssociationEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IFileAssociationEntry", | |
"System.Deployment.Internal.Isolation.Manifest.CategoryMembershipDataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.CategoryMembershipDataEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.ICategoryMembershipDataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.SubcategoryMembershipEntry", | |
"System.Deployment.Internal.Isolation.Manifest.SubcategoryMembershipEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.ISubcategoryMembershipEntry", | |
"System.Deployment.Internal.Isolation.Manifest.CategoryMembershipEntry", | |
"System.Deployment.Internal.Isolation.Manifest.CategoryMembershipEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.ICategoryMembershipEntry", | |
"System.Deployment.Internal.Isolation.Manifest.COMServerEntry", | |
"System.Deployment.Internal.Isolation.Manifest.COMServerEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.ICOMServerEntry", | |
"System.Deployment.Internal.Isolation.Manifest.ProgIdRedirectionEntry", | |
"System.Deployment.Internal.Isolation.Manifest.ProgIdRedirectionEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IProgIdRedirectionEntry", | |
"System.Deployment.Internal.Isolation.Manifest.CLRSurrogateEntry", | |
"System.Deployment.Internal.Isolation.Manifest.CLRSurrogateEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.ICLRSurrogateEntry", | |
"System.Deployment.Internal.Isolation.Manifest.AssemblyReferenceDependentAssemblyEntry", | |
"System.Deployment.Internal.Isolation.Manifest.AssemblyReferenceDependentAssemblyEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IAssemblyReferenceDependentAssemblyEntry", | |
"System.Deployment.Internal.Isolation.Manifest.AssemblyReferenceEntry", | |
"System.Deployment.Internal.Isolation.Manifest.AssemblyReferenceEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IAssemblyReferenceEntry", | |
"System.Deployment.Internal.Isolation.Manifest.WindowClassEntry", | |
"System.Deployment.Internal.Isolation.Manifest.WindowClassEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IWindowClassEntry", | |
"System.Deployment.Internal.Isolation.Manifest.ResourceTableMappingEntry", | |
"System.Deployment.Internal.Isolation.Manifest.ResourceTableMappingEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IResourceTableMappingEntry", | |
"System.Deployment.Internal.Isolation.Manifest.EntryPointEntry", | |
"System.Deployment.Internal.Isolation.Manifest.EntryPointEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IEntryPointEntry", | |
"System.Deployment.Internal.Isolation.Manifest.PermissionSetEntry", | |
"System.Deployment.Internal.Isolation.Manifest.PermissionSetEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IPermissionSetEntry", | |
"System.Deployment.Internal.Isolation.Manifest.AssemblyRequestEntry", | |
"System.Deployment.Internal.Isolation.Manifest.AssemblyRequestEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IAssemblyRequestEntry", | |
"System.Deployment.Internal.Isolation.Manifest.DescriptionMetadataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.DescriptionMetadataEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IDescriptionMetadataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.DeploymentMetadataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.DeploymentMetadataEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IDeploymentMetadataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.DependentOSMetadataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.DependentOSMetadataEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IDependentOSMetadataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.CompatibleFrameworksMetadataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.CompatibleFrameworksMetadataEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.ICompatibleFrameworksMetadataEntry", | |
"System.Deployment.Internal.Isolation.Manifest.MetadataSectionEntry", | |
"System.Deployment.Internal.Isolation.Manifest.MetadataSectionEntryFieldId", | |
"System.Deployment.Internal.Isolation.Manifest.IMetadataSectionEntry", | |
"System.Deployment.Internal.Isolation.Manifest.CmsUtils", | |
"System.Runtime.MemoryFailPoint", | |
"System.Runtime.GCLargeObjectHeapCompactionMode", | |
"System.Runtime.GCLatencyMode", | |
"System.Runtime.GCSettings", | |
"System.Runtime.AssemblyTargetedPatchBandAttribute", | |
"System.Runtime.TargetedPatchingOptOutAttribute", | |
"System.Runtime.ProfileOptimization", | |
"System.Runtime.DesignerServices.WindowsRuntimeDesignerContext", | |
"System.Runtime.Versioning.BinaryCompatibility", | |
"System.Runtime.Versioning.ComponentGuaranteesOptions", | |
"System.Runtime.Versioning.ComponentGuaranteesAttribute", | |
"System.Runtime.Versioning.ResourceConsumptionAttribute", | |
"System.Runtime.Versioning.ResourceExposureAttribute", | |
"System.Runtime.Versioning.ResourceScope", | |
"System.Runtime.Versioning.SxSRequirements", | |
"System.Runtime.Versioning.VersioningHelper", | |
"System.Runtime.Versioning.TargetFrameworkAttribute", | |
"System.Runtime.Versioning.TargetFrameworkId", | |
"System.Runtime.Versioning.MultitargetingHelpers", | |
"System.Runtime.Versioning.CompatibilitySwitch", | |
"System.Runtime.Versioning.NonVersionableAttribute", | |
"System.Runtime.ConstrainedExecution.CriticalFinalizerObject", | |
"System.Runtime.ConstrainedExecution.Consistency", | |
"System.Runtime.ConstrainedExecution.Cer", | |
"System.Runtime.ConstrainedExecution.ReliabilityContractAttribute", | |
"System.Runtime.ConstrainedExecution.PrePrepareMethodAttribute", | |
"System.Runtime.Serialization.FormatterConverter", | |
"System.Runtime.Serialization.FormatterServices", | |
"System.Runtime.Serialization.SurrogateForCyclicalReference", | |
"System.Runtime.Serialization.IDeserializationCallback", | |
"System.Runtime.Serialization.IFormatter", | |
"System.Runtime.Serialization.IFormatterConverter", | |
"System.Runtime.Serialization.IObjectReference", | |
"System.Runtime.Serialization.ISerializable", | |
"System.Runtime.Serialization.ISerializationSurrogate", | |
"System.Runtime.Serialization.ISurrogateSelector", | |
"System.Runtime.Serialization.MemberHolder", | |
"System.Runtime.Serialization.OptionalFieldAttribute", | |
"System.Runtime.Serialization.OnSerializingAttribute", | |
"System.Runtime.Serialization.OnSerializedAttribute", | |
"System.Runtime.Serialization.OnDeserializingAttribute", | |
"System.Runtime.Serialization.OnDeserializedAttribute", | |
"System.Runtime.Serialization.SerializationBinder", | |
"System.Runtime.Serialization.SerializationException", | |
"System.Runtime.Serialization.SerializationFieldInfo", | |
"System.Runtime.Serialization.SerializationInfo", | |
"System.Runtime.Serialization.SerializationEntry", | |
"System.Runtime.Serialization.SerializationInfoEnumerator", | |
"System.Runtime.Serialization.StreamingContext", | |
"System.Runtime.Serialization.StreamingContextStates", | |
"System.Runtime.Serialization.DeserializationEventHandler", | |
"System.Runtime.Serialization.SerializationEventHandler", | |
"System.Runtime.Serialization.Formatter", | |
"System.Runtime.Serialization.ObjectCloneHelper", | |
"System.Runtime.Serialization.ObjectIDGenerator", | |
"System.Runtime.Serialization.ObjectManager", | |
"System.Runtime.Serialization.ObjectHolder", | |
"System.Runtime.Serialization.FixupHolder", | |
"System.Runtime.Serialization.FixupHolderList", | |
"System.Runtime.Serialization.LongList", | |
"System.Runtime.Serialization.ObjectHolderList", | |
"System.Runtime.Serialization.ObjectHolderListEnumerator", | |
"System.Runtime.Serialization.TypeLoadExceptionHolder", | |
"System.Runtime.Serialization.SafeSerializationEventArgs", | |
"System.Runtime.Serialization.ISafeSerializationData", | |
"System.Runtime.Serialization.SafeSerializationManager", | |
"System.Runtime.Serialization.SerializationObjectManager", | |
"System.Runtime.Serialization.SerializationEvents", | |
"System.Runtime.Serialization.SerializationEventsCache", | |
"System.Runtime.Serialization.SurrogateSelector", | |
"System.Runtime.Serialization.SurrogateKey", | |
"System.Runtime.Serialization.SurrogateHashtable", | |
"System.Runtime.Serialization.ValueTypeFixupInfo", | |
"System.Runtime.Serialization.Formatters.FormatterTypeStyle", | |
"System.Runtime.Serialization.Formatters.FormatterAssemblyStyle", | |
"System.Runtime.Serialization.Formatters.TypeFilterLevel", | |
"System.Runtime.Serialization.Formatters.ISoapMessage", | |
"System.Runtime.Serialization.Formatters.IFieldInfo", | |
"System.Runtime.Serialization.Formatters.InternalRM", | |
"System.Runtime.Serialization.Formatters.InternalST", | |
"System.Runtime.Serialization.Formatters.SerTrace", | |
"System.Runtime.Serialization.Formatters.SoapMessage", | |
"System.Runtime.Serialization.Formatters.SoapFault", | |
"System.Runtime.Serialization.Formatters.ServerFault", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryHeaderEnum", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryArrayTypeEnum", | |
"System.Runtime.Serialization.Formatters.Binary.InternalSerializerTypeE", | |
"System.Runtime.Serialization.Formatters.Binary.InternalElementTypeE", | |
"System.Runtime.Serialization.Formatters.Binary.InternalParseTypeE", | |
"System.Runtime.Serialization.Formatters.Binary.InternalObjectTypeE", | |
"System.Runtime.Serialization.Formatters.Binary.InternalObjectPositionE", | |
"System.Runtime.Serialization.Formatters.Binary.InternalArrayTypeE", | |
"System.Runtime.Serialization.Formatters.Binary.InternalMemberTypeE", | |
"System.Runtime.Serialization.Formatters.Binary.InternalMemberValueE", | |
"System.Runtime.Serialization.Formatters.Binary.InternalParseStateE", | |
"System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE", | |
"System.Runtime.Serialization.Formatters.Binary.MessageEnum", | |
"System.Runtime.Serialization.Formatters.Binary.ValueFixupEnum", | |
"System.Runtime.Serialization.Formatters.Binary.InternalNameSpaceE", | |
"System.Runtime.Serialization.Formatters.Binary.SoapAttributeType", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryFormatter", | |
"System.Runtime.Serialization.Formatters.Binary.__BinaryParser", | |
"System.Runtime.Serialization.Formatters.Binary.__BinaryWriter", | |
"System.Runtime.Serialization.Formatters.Binary.ObjectMapInfo", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryConverter", | |
"System.Runtime.Serialization.Formatters.Binary.IOUtil", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryUtil", | |
"System.Runtime.Serialization.Formatters.Binary.IStreamable", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryAssemblyInfo", | |
"System.Runtime.Serialization.Formatters.Binary.SerializationHeaderRecord", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryAssembly", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainAssembly", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryObject", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryObjectString", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainString", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainMap", | |
"System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveTyped", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryArray", | |
"System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveUnTyped", | |
"System.Runtime.Serialization.Formatters.Binary.MemberReference", | |
"System.Runtime.Serialization.Formatters.Binary.ObjectNull", | |
"System.Runtime.Serialization.Formatters.Binary.MessageEnd", | |
"System.Runtime.Serialization.Formatters.Binary.ObjectMap", | |
"System.Runtime.Serialization.Formatters.Binary.ObjectProgress", | |
"System.Runtime.Serialization.Formatters.Binary.ParseRecord", | |
"System.Runtime.Serialization.Formatters.Binary.SerStack", | |
"System.Runtime.Serialization.Formatters.Binary.SizedArray", | |
"System.Runtime.Serialization.Formatters.Binary.IntSizedArray", | |
"System.Runtime.Serialization.Formatters.Binary.NameCache", | |
"System.Runtime.Serialization.Formatters.Binary.ValueFixup", | |
"System.Runtime.Serialization.Formatters.Binary.InternalFE", | |
"System.Runtime.Serialization.Formatters.Binary.NameInfo", | |
"System.Runtime.Serialization.Formatters.Binary.PrimitiveArray", | |
"System.Runtime.Serialization.Formatters.Binary.ObjectReader", | |
"System.Runtime.Serialization.Formatters.Binary.ObjectWriter", | |
"System.Runtime.Serialization.Formatters.Binary.Converter", | |
"System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo", | |
"System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo", | |
"System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit", | |
"System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache", | |
"System.Runtime.Serialization.Formatters.Binary.TypeInformation", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryMethodCallMessage", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturnMessage", | |
"System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute", | |
"System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs", | |
"System.Runtime.ExceptionServices.ExceptionDispatchInfo", | |
"System.Runtime.Remoting.IObjectHandle", | |
"System.Runtime.Remoting.__HResults", | |
"System.Runtime.Remoting.WellKnownObjectMode", | |
"System.Runtime.Remoting.DomainSpecificRemotingData", | |
"System.Runtime.Remoting.RemotingConfigHandler", | |
"System.Runtime.Remoting.DelayLoadClientChannelEntry", | |
"System.Runtime.Remoting.Identity", | |
"System.Runtime.Remoting.IdOps", | |
"System.Runtime.Remoting.DuplicateIdentityOption", | |
"System.Runtime.Remoting.IdentityHolder", | |
"System.Runtime.Remoting.IRemotingTypeInfo", | |
"System.Runtime.Remoting.IChannelInfo", | |
"System.Runtime.Remoting.IEnvoyInfo", | |
"System.Runtime.Remoting.TypeInfo", | |
"System.Runtime.Remoting.DynamicTypeInfo", | |
"System.Runtime.Remoting.ChannelInfo", | |
"System.Runtime.Remoting.EnvoyInfo", | |
"System.Runtime.Remoting.ObjRef", | |
"System.Runtime.Remoting.RedirectionProxy", | |
"System.Runtime.Remoting.ComRedirectionProxy", | |
"System.Runtime.Remoting.RemotingConfiguration", | |
"System.Runtime.Remoting.TypeEntry", | |
"System.Runtime.Remoting.ActivatedClientTypeEntry", | |
"System.Runtime.Remoting.ActivatedServiceTypeEntry", | |
"System.Runtime.Remoting.WellKnownClientTypeEntry", | |
"System.Runtime.Remoting.WellKnownServiceTypeEntry", | |
"System.Runtime.Remoting.RemoteAppEntry", | |
"System.Runtime.Remoting.CustomErrorsModes", | |
"System.Runtime.Remoting.RemotingException", | |
"System.Runtime.Remoting.ServerException", | |
"System.Runtime.Remoting.RemotingTimeoutException", | |
"System.Runtime.Remoting.RemotingServices", | |
"System.Runtime.Remoting.InternalRemotingServices", | |
"System.Runtime.Remoting.ServerIdentity", | |
"System.Runtime.Remoting.SoapServices", | |
"System.Runtime.Remoting.XmlNamespaceEncoder", | |
"System.Runtime.Remoting.ObjectHandle", | |
"System.Runtime.Remoting.Metadata.RemotingCachedData", | |
"System.Runtime.Remoting.Metadata.RemotingFieldCachedData", | |
"System.Runtime.Remoting.Metadata.RemotingParameterCachedData", | |
"System.Runtime.Remoting.Metadata.RemotingTypeCachedData", | |
"System.Runtime.Remoting.Metadata.RemotingMethodCachedData", | |
"System.Runtime.Remoting.Metadata.SoapOption", | |
"System.Runtime.Remoting.Metadata.XmlFieldOrderOption", | |
"System.Runtime.Remoting.Metadata.SoapTypeAttribute", | |
"System.Runtime.Remoting.Metadata.SoapMethodAttribute", | |
"System.Runtime.Remoting.Metadata.SoapFieldAttribute", | |
"System.Runtime.Remoting.Metadata.SoapParameterAttribute", | |
"System.Runtime.Remoting.Metadata.SoapAttribute", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapType", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.ISoapXsd", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapDateTime", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapDuration", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapTime", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapDate", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapYearMonth", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapYear", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapMonthDay", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapDay", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapMonth", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapHexBinary", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapBase64Binary", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapInteger", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapPositiveInteger", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapNonPositiveInteger", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapNonNegativeInteger", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapNegativeInteger", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapAnyUri", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapQName", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapNotation", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapNormalizedString", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapToken", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapLanguage", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapName", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapIdrefs", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapEntities", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapNmtoken", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapNmtokens", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapNcName", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapId", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapIdref", | |
"System.Runtime.Remoting.Metadata.W3cXsd2001.SoapEntity", | |
"System.Runtime.Remoting.Proxies.ProxyAttribute", | |
"System.Runtime.Remoting.Proxies.CallType", | |
"System.Runtime.Remoting.Proxies.RealProxyFlags", | |
"System.Runtime.Remoting.Proxies.MessageData", | |
"System.Runtime.Remoting.Proxies.RealProxy", | |
"System.Runtime.Remoting.Proxies.RemotingProxy", | |
"System.Runtime.Remoting.Proxies.AgileAsyncWorkerItem", | |
"System.Runtime.Remoting.Services.EnterpriseServicesHelper", | |
"System.Runtime.Remoting.Services.ITrackingHandler", | |
"System.Runtime.Remoting.Services.TrackingServices", | |
"System.Runtime.Remoting.Contexts.CrossContextDelegate", | |
"System.Runtime.Remoting.Contexts.Context", | |
"System.Runtime.Remoting.Contexts.CallBackHelper", | |
"System.Runtime.Remoting.Contexts.ContextProperty", | |
"System.Runtime.Remoting.Contexts.IContextAttribute", | |
"System.Runtime.Remoting.Contexts.IContextProperty", | |
"System.Runtime.Remoting.Contexts.IContextPropertyActivator", | |
"System.Runtime.Remoting.Contexts.ContextAttribute", | |
"System.Runtime.Remoting.Contexts.DynamicPropertyHolder", | |
"System.Runtime.Remoting.Contexts.ArrayWithSize", | |
"System.Runtime.Remoting.Contexts.IContributeClientContextSink", | |
"System.Runtime.Remoting.Contexts.IContributeDynamicSink", | |
"System.Runtime.Remoting.Contexts.IContributeEnvoySink", | |
"System.Runtime.Remoting.Contexts.IContributeObjectSink", | |
"System.Runtime.Remoting.Contexts.IContributeServerContextSink", | |
"System.Runtime.Remoting.Contexts.IDynamicProperty", | |
"System.Runtime.Remoting.Contexts.IDynamicMessageSink", | |
"System.Runtime.Remoting.Contexts.SynchronizationAttribute", | |
"System.Runtime.Remoting.Contexts.SynchronizedServerContextSink", | |
"System.Runtime.Remoting.Contexts.WorkItem", | |
"System.Runtime.Remoting.Contexts.SynchronizedClientContextSink", | |
"System.Runtime.Remoting.Lifetime.ClientSponsor", | |
"System.Runtime.Remoting.Lifetime.ILease", | |
"System.Runtime.Remoting.Lifetime.ISponsor", | |
"System.Runtime.Remoting.Lifetime.Lease", | |
"System.Runtime.Remoting.Lifetime.LeaseSink", | |
"System.Runtime.Remoting.Lifetime.LeaseManager", | |
"System.Runtime.Remoting.Lifetime.LeaseState", | |
"System.Runtime.Remoting.Lifetime.LifetimeServices", | |
"System.Runtime.Remoting.Lifetime.LeaseLifeTimeServiceProperty", | |
"System.Runtime.Remoting.Channels.Perf_Contexts", | |
"System.Runtime.Remoting.Channels.ChannelServices", | |
"System.Runtime.Remoting.Channels.RemotingProfilerEvent", | |
"System.Runtime.Remoting.Channels.RegisteredChannel", | |
"System.Runtime.Remoting.Channels.RegisteredChannelList", | |
"System.Runtime.Remoting.Channels.ChannelServicesData", | |
"System.Runtime.Remoting.Channels.ServerAsyncReplyTerminatorSink", | |
"System.Runtime.Remoting.Channels.IClientChannelSinkStack", | |
"System.Runtime.Remoting.Channels.IClientResponseChannelSinkStack", | |
"System.Runtime.Remoting.Channels.ClientChannelSinkStack", | |
"System.Runtime.Remoting.Channels.IServerChannelSinkStack", | |
"System.Runtime.Remoting.Channels.IServerResponseChannelSinkStack", | |
"System.Runtime.Remoting.Channels.ServerChannelSinkStack", | |
"System.Runtime.Remoting.Channels.AsyncMessageHelper", | |
"System.Runtime.Remoting.Channels.CrossContextChannel", | |
"System.Runtime.Remoting.Channels.AsyncWorkItem", | |
"System.Runtime.Remoting.Channels.CrossAppDomainChannel", | |
"System.Runtime.Remoting.Channels.CrossAppDomainData", | |
"System.Runtime.Remoting.Channels.CrossAppDomainSink", | |
"System.Runtime.Remoting.Channels.ADAsyncWorkItem", | |
"System.Runtime.Remoting.Channels.CrossAppDomainSerializer", | |
"System.Runtime.Remoting.Channels.DispatchChannelSinkProvider", | |
"System.Runtime.Remoting.Channels.DispatchChannelSink", | |
"System.Runtime.Remoting.Channels.IChannel", | |
"System.Runtime.Remoting.Channels.IChannelSender", | |
"System.Runtime.Remoting.Channels.IChannelReceiver", | |
"System.Runtime.Remoting.Channels.IChannelReceiverHook", | |
"System.Runtime.Remoting.Channels.IClientChannelSinkProvider", | |
"System.Runtime.Remoting.Channels.IServerChannelSinkProvider", | |
"System.Runtime.Remoting.Channels.IClientFormatterSinkProvider", | |
"System.Runtime.Remoting.Channels.IServerFormatterSinkProvider", | |
"System.Runtime.Remoting.Channels.IClientChannelSink", | |
"System.Runtime.Remoting.Channels.ServerProcessing", | |
"System.Runtime.Remoting.Channels.IServerChannelSink", | |
"System.Runtime.Remoting.Channels.IChannelSinkBase", | |
"System.Runtime.Remoting.Channels.IClientFormatterSink", | |
"System.Runtime.Remoting.Channels.IChannelDataStore", | |
"System.Runtime.Remoting.Channels.ChannelDataStore", | |
"System.Runtime.Remoting.Channels.ITransportHeaders", | |
"System.Runtime.Remoting.Channels.TransportHeaders", | |
"System.Runtime.Remoting.Channels.SinkProviderData", | |
"System.Runtime.Remoting.Channels.BaseChannelSinkWithProperties", | |
"System.Runtime.Remoting.Channels.BaseChannelWithProperties", | |
"System.Runtime.Remoting.Channels.BaseChannelObjectWithProperties", | |
"System.Runtime.Remoting.Channels.DictionaryEnumeratorByKeys", | |
"System.Runtime.Remoting.Channels.AggregateDictionary", | |
"System.Runtime.Remoting.Channels.ISecurableChannel", | |
"System.Runtime.Remoting.Messaging.AsyncResult", | |
"System.Runtime.Remoting.Messaging.IInternalMessage", | |
"System.Runtime.Remoting.Messaging.IMessage", | |
"System.Runtime.Remoting.Messaging.IMessageCtrl", | |
"System.Runtime.Remoting.Messaging.IMessageSink", | |
"System.Runtime.Remoting.Messaging.IMethodMessage", | |
"System.Runtime.Remoting.Messaging.IMethodCallMessage", | |
"System.Runtime.Remoting.Messaging.IMethodReturnMessage", | |
"System.Runtime.Remoting.Messaging.IRemotingFormatter", | |
"System.Runtime.Remoting.Messaging.Message", | |
"System.Runtime.Remoting.Messaging.ConstructorReturnMessage", | |
"System.Runtime.Remoting.Messaging.ConstructorCallMessage", | |
"System.Runtime.Remoting.Messaging.CCMDictionary", | |
"System.Runtime.Remoting.Messaging.CRMDictionary", | |
"System.Runtime.Remoting.Messaging.MCMDictionary", | |
"System.Runtime.Remoting.Messaging.MRMDictionary", | |
"System.Runtime.Remoting.Messaging.MessageDictionary", | |
"System.Runtime.Remoting.Messaging.MessageDictionaryEnumerator", | |
"System.Runtime.Remoting.Messaging.StackBasedReturnMessage", | |
"System.Runtime.Remoting.Messaging.ReturnMessage", | |
"System.Runtime.Remoting.Messaging.MethodCall", | |
"System.Runtime.Remoting.Messaging.ConstructionCall", | |
"System.Runtime.Remoting.Messaging.MethodResponse", | |
"System.Runtime.Remoting.Messaging.ISerializationRootObject", | |
"System.Runtime.Remoting.Messaging.SerializationMonkey", | |
"System.Runtime.Remoting.Messaging.ConstructionResponse", | |
"System.Runtime.Remoting.Messaging.TransitionCall", | |
"System.Runtime.Remoting.Messaging.ArgMapper", | |
"System.Runtime.Remoting.Messaging.ErrorMessage", | |
"System.Runtime.Remoting.Messaging.InternalMessageWrapper", | |
"System.Runtime.Remoting.Messaging.MethodCallMessageWrapper", | |
"System.Runtime.Remoting.Messaging.MethodReturnMessageWrapper", | |
"System.Runtime.Remoting.Messaging.MessageSmuggler", | |
"System.Runtime.Remoting.Messaging.SmuggledObjRef", | |
"System.Runtime.Remoting.Messaging.SmuggledMethodCallMessage", | |
"System.Runtime.Remoting.Messaging.SmuggledMethodReturnMessage", | |
"System.Runtime.Remoting.Messaging.OneWayAttribute", | |
"System.Runtime.Remoting.Messaging.MessageSurrogateFilter", | |
"System.Runtime.Remoting.Messaging.RemotingSurrogateSelector", | |
"System.Runtime.Remoting.Messaging.RemotingSurrogate", | |
"System.Runtime.Remoting.Messaging.ObjRefSurrogate", | |
"System.Runtime.Remoting.Messaging.SoapMessageSurrogate", | |
"System.Runtime.Remoting.Messaging.MessageSurrogate", | |
"System.Runtime.Remoting.Messaging.StackBuilderSink", | |
"System.Runtime.Remoting.Messaging.InternalSink", | |
"System.Runtime.Remoting.Messaging.EnvoyTerminatorSink", | |
"System.Runtime.Remoting.Messaging.ClientContextTerminatorSink", | |
"System.Runtime.Remoting.Messaging.AsyncReplySink", | |
"System.Runtime.Remoting.Messaging.ServerContextTerminatorSink", | |
"System.Runtime.Remoting.Messaging.DisposeSink", | |
"System.Runtime.Remoting.Messaging.ServerObjectTerminatorSink", | |
"System.Runtime.Remoting.Messaging.ClientAsyncReplyTerminatorSink", | |
"System.Runtime.Remoting.Messaging.Header", | |
"System.Runtime.Remoting.Messaging.HeaderHandler", | |
"System.Runtime.Remoting.Messaging.CallContext", | |
"System.Runtime.Remoting.Messaging.ILogicalThreadAffinative", | |
"System.Runtime.Remoting.Messaging.IllogicalCallContext", | |
"System.Runtime.Remoting.Messaging.LogicalCallContext", | |
"System.Runtime.Remoting.Messaging.CallContextSecurityData", | |
"System.Runtime.Remoting.Messaging.CallContextRemotingData", | |
"System.Runtime.Remoting.Activation.ActivationServices", | |
"System.Runtime.Remoting.Activation.LocalActivator", | |
"System.Runtime.Remoting.Activation.ActivationListener", | |
"System.Runtime.Remoting.Activation.AppDomainLevelActivator", | |
"System.Runtime.Remoting.Activation.ContextLevelActivator", | |
"System.Runtime.Remoting.Activation.ConstructionLevelActivator", | |
"System.Runtime.Remoting.Activation.RemotePropertyHolderAttribute", | |
"System.Runtime.Remoting.Activation.ActivationAttributeStack", | |
"System.Runtime.Remoting.Activation.IActivator", | |
"System.Runtime.Remoting.Activation.ActivatorLevel", | |
"System.Runtime.Remoting.Activation.IConstructionCallMessage", | |
"System.Runtime.Remoting.Activation.IConstructionReturnMessage", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileParser", | |
"System.Runtime.Remoting.Activation.UrlAttribute", | |
"System.Runtime.CompilerServices.StringFreezingAttribute", | |
"System.Runtime.CompilerServices.ContractHelper", | |
"System.Runtime.CompilerServices.AccessedThroughPropertyAttribute", | |
"System.Runtime.CompilerServices.AssemblyAttributesGoHere", | |
"System.Runtime.CompilerServices.AssemblyAttributesGoHereS", | |
"System.Runtime.CompilerServices.AssemblyAttributesGoHereM", | |
"System.Runtime.CompilerServices.AssemblyAttributesGoHereSM", | |
"System.Runtime.CompilerServices.CallConvCdecl", | |
"System.Runtime.CompilerServices.CallConvStdcall", | |
"System.Runtime.CompilerServices.CallConvThiscall", | |
"System.Runtime.CompilerServices.CallConvFastcall", | |
"System.Runtime.CompilerServices.RuntimeHelpers", | |
"System.Runtime.CompilerServices.RuntimeFeature", | |
"System.Runtime.CompilerServices.CompilerGeneratedAttribute", | |
"System.Runtime.CompilerServices.CustomConstantAttribute", | |
"System.Runtime.CompilerServices.DateTimeConstantAttribute", | |
"System.Runtime.CompilerServices.DiscardableAttribute", | |
"System.Runtime.CompilerServices.DecimalConstantAttribute", | |
"System.Runtime.CompilerServices.DisablePrivateReflectionAttribute", | |
"System.Runtime.CompilerServices.CompilationRelaxations", | |
"System.Runtime.CompilerServices.CompilationRelaxationsAttribute", | |
"System.Runtime.CompilerServices.CompilerGlobalScopeAttribute", | |
"System.Runtime.CompilerServices.ExtensionAttribute", | |
"System.Runtime.CompilerServices.FixedBufferAttribute", | |
"System.Runtime.CompilerServices.IndexerNameAttribute", | |
"System.Runtime.CompilerServices.InternalsVisibleToAttribute", | |
"System.Runtime.CompilerServices.FriendAccessAllowedAttribute", | |
"System.Runtime.CompilerServices.IsVolatile", | |
"System.Runtime.CompilerServices.IsByRefLikeAttribute", | |
"System.Runtime.CompilerServices.MethodImplOptions", | |
"System.Runtime.CompilerServices.MethodCodeType", | |
"System.Runtime.CompilerServices.MethodImplAttribute", | |
"System.Runtime.CompilerServices.FixedAddressValueTypeAttribute", | |
"System.Runtime.CompilerServices.UnsafeValueTypeAttribute", | |
"System.Runtime.CompilerServices.RequiredAttributeAttribute", | |
"System.Runtime.CompilerServices.LoadHint", | |
"System.Runtime.CompilerServices.DefaultDependencyAttribute", | |
"System.Runtime.CompilerServices.DependencyAttribute", | |
"System.Runtime.CompilerServices.TypeDependencyAttribute", | |
"System.Runtime.CompilerServices.CompilerMarshalOverride", | |
"System.Runtime.CompilerServices.HasCopySemanticsAttribute", | |
"System.Runtime.CompilerServices.IsBoxed", | |
"System.Runtime.CompilerServices.IsByValue", | |
"System.Runtime.CompilerServices.IsConst", | |
"System.Runtime.CompilerServices.IsExplicitlyDereferenced", | |
"System.Runtime.CompilerServices.IsImplicitlyDereferenced", | |
"System.Runtime.CompilerServices.IsJitIntrinsic", | |
"System.Runtime.CompilerServices.IsLong", | |
"System.Runtime.CompilerServices.IsPinned", | |
"System.Runtime.CompilerServices.IsSignUnspecifiedByte", | |
"System.Runtime.CompilerServices.IsUdtReturn", | |
"System.Runtime.CompilerServices.StringHandleOnStack", | |
"System.Runtime.CompilerServices.ObjectHandleOnStack", | |
"System.Runtime.CompilerServices.StackCrawlMarkHandle", | |
"System.Runtime.CompilerServices.PinningHelper", | |
"System.Runtime.CompilerServices.JitHelpers", | |
"System.Runtime.CompilerServices.ScopelessEnumAttribute", | |
"System.Runtime.CompilerServices.SpecialNameAttribute", | |
"System.Runtime.CompilerServices.SuppressMergeCheckAttribute", | |
"System.Runtime.CompilerServices.IsReadOnlyAttribute", | |
"System.Runtime.CompilerServices.IsCopyConstructed", | |
"System.Runtime.CompilerServices.SuppressIldasmAttribute", | |
"System.Runtime.CompilerServices.NativeCppClassAttribute", | |
"System.Runtime.CompilerServices.DecoratedNameAttribute", | |
"System.Runtime.CompilerServices.TypeForwardedToAttribute", | |
"System.Runtime.CompilerServices.TypeForwardedFromAttribute", | |
"System.Runtime.CompilerServices.ReferenceAssemblyAttribute", | |
"System.Runtime.CompilerServices.RuntimeCompatibilityAttribute", | |
"System.Runtime.CompilerServices.RuntimeWrappedException", | |
"System.Runtime.CompilerServices.ConditionalWeakTable`2", | |
"System.Runtime.CompilerServices.DependentHandle", | |
"System.Runtime.CompilerServices.CallerFilePathAttribute", | |
"System.Runtime.CompilerServices.CallerLineNumberAttribute", | |
"System.Runtime.CompilerServices.CallerMemberNameAttribute", | |
"System.Runtime.CompilerServices.StateMachineAttribute", | |
"System.Runtime.CompilerServices.IteratorStateMachineAttribute", | |
"System.Runtime.CompilerServices.ITuple", | |
"System.Runtime.CompilerServices.AsyncStateMachineAttribute", | |
"System.Runtime.CompilerServices.AsyncVoidMethodBuilder", | |
"System.Runtime.CompilerServices.AsyncTaskMethodBuilder", | |
"System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1", | |
"System.Runtime.CompilerServices.AsyncTaskCache", | |
"System.Runtime.CompilerServices.AsyncMethodBuilderCore", | |
"System.Runtime.CompilerServices.IAsyncStateMachine", | |
"System.Runtime.CompilerServices.INotifyCompletion", | |
"System.Runtime.CompilerServices.ICriticalNotifyCompletion", | |
"System.Runtime.CompilerServices.TaskAwaiter", | |
"System.Runtime.CompilerServices.TaskAwaiter`1", | |
"System.Runtime.CompilerServices.ConfiguredTaskAwaitable", | |
"System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1", | |
"System.Runtime.CompilerServices.YieldAwaitable", | |
"System.Runtime.CompilerServices.FormattableStringFactory", | |
"System.Runtime.CompilerServices.IDispatchConstantAttribute", | |
"System.Runtime.CompilerServices.IUnknownConstantAttribute", | |
"System.Runtime.CompilerServices.TupleElementNamesAttribute", | |
"System.Runtime.InteropServices._Activator", | |
"System.Runtime.InteropServices._Attribute", | |
"System.Runtime.InteropServices._Thread", | |
"System.Runtime.InteropServices._Type", | |
"System.Runtime.InteropServices._Assembly", | |
"System.Runtime.InteropServices._MemberInfo", | |
"System.Runtime.InteropServices._MethodBase", | |
"System.Runtime.InteropServices._MethodInfo", | |
"System.Runtime.InteropServices._ConstructorInfo", | |
"System.Runtime.InteropServices._FieldInfo", | |
"System.Runtime.InteropServices._PropertyInfo", | |
"System.Runtime.InteropServices._EventInfo", | |
"System.Runtime.InteropServices._ParameterInfo", | |
"System.Runtime.InteropServices._Module", | |
"System.Runtime.InteropServices._AssemblyName", | |
"System.Runtime.InteropServices.ArrayWithOffset", | |
"System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute", | |
"System.Runtime.InteropServices.TypeIdentifierAttribute", | |
"System.Runtime.InteropServices.AllowReversePInvokeCallsAttribute", | |
"System.Runtime.InteropServices.DispIdAttribute", | |
"System.Runtime.InteropServices.ComInterfaceType", | |
"System.Runtime.InteropServices.InterfaceTypeAttribute", | |
"System.Runtime.InteropServices.ComDefaultInterfaceAttribute", | |
"System.Runtime.InteropServices.ClassInterfaceType", | |
"System.Runtime.InteropServices.ClassInterfaceAttribute", | |
"System.Runtime.InteropServices.ComVisibleAttribute", | |
"System.Runtime.InteropServices.TypeLibImportClassAttribute", | |
"System.Runtime.InteropServices.LCIDConversionAttribute", | |
"System.Runtime.InteropServices.ComRegisterFunctionAttribute", | |
"System.Runtime.InteropServices.ComUnregisterFunctionAttribute", | |
"System.Runtime.InteropServices.ProgIdAttribute", | |
"System.Runtime.InteropServices.ImportedFromTypeLibAttribute", | |
"System.Runtime.InteropServices.IDispatchImplType", | |
"System.Runtime.InteropServices.IDispatchImplAttribute", | |
"System.Runtime.InteropServices.ComSourceInterfacesAttribute", | |
"System.Runtime.InteropServices.ComConversionLossAttribute", | |
"System.Runtime.InteropServices.TypeLibTypeFlags", | |
"System.Runtime.InteropServices.TypeLibFuncFlags", | |
"System.Runtime.InteropServices.TypeLibVarFlags", | |
"System.Runtime.InteropServices.TypeLibTypeAttribute", | |
"System.Runtime.InteropServices.TypeLibFuncAttribute", | |
"System.Runtime.InteropServices.TypeLibVarAttribute", | |
"System.Runtime.InteropServices.VarEnum", | |
"System.Runtime.InteropServices.UnmanagedType", | |
"System.Runtime.InteropServices.MarshalAsAttribute", | |
"System.Runtime.InteropServices.ComImportAttribute", | |
"System.Runtime.InteropServices.GuidAttribute", | |
"System.Runtime.InteropServices.PreserveSigAttribute", | |
"System.Runtime.InteropServices.InAttribute", | |
"System.Runtime.InteropServices.OutAttribute", | |
"System.Runtime.InteropServices.OptionalAttribute", | |
"System.Runtime.InteropServices.DllImportSearchPath", | |
"System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute", | |
"System.Runtime.InteropServices.DllImportAttribute", | |
"System.Runtime.InteropServices.StructLayoutAttribute", | |
"System.Runtime.InteropServices.FieldOffsetAttribute", | |
"System.Runtime.InteropServices.ComAliasNameAttribute", | |
"System.Runtime.InteropServices.AutomationProxyAttribute", | |
"System.Runtime.InteropServices.PrimaryInteropAssemblyAttribute", | |
"System.Runtime.InteropServices.CoClassAttribute", | |
"System.Runtime.InteropServices.ComEventInterfaceAttribute", | |
"System.Runtime.InteropServices.TypeLibVersionAttribute", | |
"System.Runtime.InteropServices.ComCompatibleVersionAttribute", | |
"System.Runtime.InteropServices.BestFitMappingAttribute", | |
"System.Runtime.InteropServices.DefaultCharSetAttribute", | |
"System.Runtime.InteropServices.SetWin32ContextInIDispatchAttribute", | |
"System.Runtime.InteropServices.ManagedToNativeComInteropStubAttribute", | |
"System.Runtime.InteropServices.CallingConvention", | |
"System.Runtime.InteropServices.CharSet", | |
"System.Runtime.InteropServices.COMException", | |
"System.Runtime.InteropServices.CriticalHandle", | |
"System.Runtime.InteropServices.ExternalException", | |
"System.Runtime.InteropServices.GCHandleType", | |
"System.Runtime.InteropServices.GCHandle", | |
"System.Runtime.InteropServices.GCHandleCookieTable", | |
"System.Runtime.InteropServices.HandleRef", | |
"System.Runtime.InteropServices.ICustomMarshaler", | |
"System.Runtime.InteropServices._Exception", | |
"System.Runtime.InteropServices.InvalidOleVariantTypeException", | |
"System.Runtime.InteropServices.LayoutKind", | |
"System.Runtime.InteropServices.CustomQueryInterfaceMode", | |
"System.Runtime.InteropServices.Marshal", | |
"System.Runtime.InteropServices.ImporterCallback", | |
"System.Runtime.InteropServices.MarshalDirectiveException", | |
"System.Runtime.InteropServices.PInvokeMap", | |
"System.Runtime.InteropServices.RuntimeEnvironment", | |
"System.Runtime.InteropServices.SEHException", | |
"System.Runtime.InteropServices.SafeBuffer", | |
"System.Runtime.InteropServices.SafeHandle", | |
"System.Runtime.InteropServices.SafeHeapHandle", | |
"System.Runtime.InteropServices.SafeHeapHandleCache", | |
"System.Runtime.InteropServices.StringBuffer", | |
"System.Runtime.InteropServices.NativeBuffer", | |
"System.Runtime.InteropServices.BStrWrapper", | |
"System.Runtime.InteropServices.CurrencyWrapper", | |
"System.Runtime.InteropServices.DispatchWrapper", | |
"System.Runtime.InteropServices.ErrorWrapper", | |
"System.Runtime.InteropServices.UnknownWrapper", | |
"System.Runtime.InteropServices.VariantWrapper", | |
"System.Runtime.InteropServices.ComMemberType", | |
"System.Runtime.InteropServices.ExtensibleClassFactory", | |
"System.Runtime.InteropServices.ICustomAdapter", | |
"System.Runtime.InteropServices.ICustomFactory", | |
"System.Runtime.InteropServices.CustomQueryInterfaceResult", | |
"System.Runtime.InteropServices.ICustomQueryInterface", | |
"System.Runtime.InteropServices.InvalidComObjectException", | |
"System.Runtime.InteropServices.AssemblyRegistrationFlags", | |
"System.Runtime.InteropServices.IRegistrationServices", | |
"System.Runtime.InteropServices.TypeLibImporterFlags", | |
"System.Runtime.InteropServices.TypeLibExporterFlags", | |
"System.Runtime.InteropServices.ImporterEventKind", | |
"System.Runtime.InteropServices.ExporterEventKind", | |
"System.Runtime.InteropServices.ITypeLibImporterNotifySink", | |
"System.Runtime.InteropServices.ITypeLibExporterNotifySink", | |
"System.Runtime.InteropServices.ITypeLibConverter", | |
"System.Runtime.InteropServices.ITypeLibExporterNameProvider", | |
"System.Runtime.InteropServices.ObjectCreationDelegate", | |
"System.Runtime.InteropServices.RegistrationClassContext", | |
"System.Runtime.InteropServices.RegistrationConnectionType", | |
"System.Runtime.InteropServices.RegistrationServices", | |
"System.Runtime.InteropServices.SafeArrayRankMismatchException", | |
"System.Runtime.InteropServices.SafeArrayTypeMismatchException", | |
"System.Runtime.InteropServices.TypeLibConverter", | |
"System.Runtime.InteropServices.BIND_OPTS", | |
"System.Runtime.InteropServices.UCOMIBindCtx", | |
"System.Runtime.InteropServices.UCOMIConnectionPointContainer", | |
"System.Runtime.InteropServices.UCOMIConnectionPoint", | |
"System.Runtime.InteropServices.UCOMIEnumerable", | |
"System.Runtime.InteropServices.UCOMIEnumerator", | |
"System.Runtime.InteropServices.UCOMIEnumMoniker", | |
"System.Runtime.InteropServices.CONNECTDATA", | |
"System.Runtime.InteropServices.UCOMIEnumConnections", | |
"System.Runtime.InteropServices.UCOMIEnumConnectionPoints", | |
"System.Runtime.InteropServices.UCOMIEnumString", | |
"System.Runtime.InteropServices.UCOMIEnumVARIANT", | |
"System.Runtime.InteropServices.UCOMIExpando", | |
"System.Runtime.InteropServices.FILETIME", | |
"System.Runtime.InteropServices.UCOMIMoniker", | |
"System.Runtime.InteropServices.UCOMIPersistFile", | |
"System.Runtime.InteropServices.UCOMIReflect", | |
"System.Runtime.InteropServices.UCOMIRunningObjectTable", | |
"System.Runtime.InteropServices.STATSTG", | |
"System.Runtime.InteropServices.UCOMIStream", | |
"System.Runtime.InteropServices.DESCKIND", | |
"System.Runtime.InteropServices.BINDPTR", | |
"System.Runtime.InteropServices.UCOMITypeComp", | |
"System.Runtime.InteropServices.TYPEKIND", | |
"System.Runtime.InteropServices.TYPEFLAGS", | |
"System.Runtime.InteropServices.IMPLTYPEFLAGS", | |
"System.Runtime.InteropServices.TYPEATTR", | |
"System.Runtime.InteropServices.FUNCDESC", | |
"System.Runtime.InteropServices.IDLFLAG", | |
"System.Runtime.InteropServices.IDLDESC", | |
"System.Runtime.InteropServices.PARAMFLAG", | |
"System.Runtime.InteropServices.PARAMDESC", | |
"System.Runtime.InteropServices.TYPEDESC", | |
"System.Runtime.InteropServices.ELEMDESC", | |
"System.Runtime.InteropServices.VARDESC", | |
"System.Runtime.InteropServices.DISPPARAMS", | |
"System.Runtime.InteropServices.EXCEPINFO", | |
"System.Runtime.InteropServices.FUNCKIND", | |
"System.Runtime.InteropServices.INVOKEKIND", | |
"System.Runtime.InteropServices.CALLCONV", | |
"System.Runtime.InteropServices.FUNCFLAGS", | |
"System.Runtime.InteropServices.VARFLAGS", | |
"System.Runtime.InteropServices.UCOMITypeInfo", | |
"System.Runtime.InteropServices.SYSKIND", | |
"System.Runtime.InteropServices.LIBFLAGS", | |
"System.Runtime.InteropServices.TYPELIBATTR", | |
"System.Runtime.InteropServices.UCOMITypeLib", | |
"System.Runtime.InteropServices.Architecture", | |
"System.Runtime.InteropServices.OSPlatform", | |
"System.Runtime.InteropServices.RuntimeInformation", | |
"System.Runtime.InteropServices.ComEventsHelper", | |
"System.Runtime.InteropServices.ComEventsInfo", | |
"System.Runtime.InteropServices.ComEventsMethod", | |
"System.Runtime.InteropServices.ComEventsSink", | |
"System.Runtime.InteropServices.NativeMethods", | |
"System.Runtime.InteropServices.Variant", | |
"System.Runtime.InteropServices._AssemblyBuilder", | |
"System.Runtime.InteropServices._ConstructorBuilder", | |
"System.Runtime.InteropServices._CustomAttributeBuilder", | |
"System.Runtime.InteropServices._EnumBuilder", | |
"System.Runtime.InteropServices._EventBuilder", | |
"System.Runtime.InteropServices._FieldBuilder", | |
"System.Runtime.InteropServices._ILGenerator", | |
"System.Runtime.InteropServices._LocalBuilder", | |
"System.Runtime.InteropServices._MethodBuilder", | |
"System.Runtime.InteropServices._MethodRental", | |
"System.Runtime.InteropServices._ModuleBuilder", | |
"System.Runtime.InteropServices._ParameterBuilder", | |
"System.Runtime.InteropServices._PropertyBuilder", | |
"System.Runtime.InteropServices._SignatureHelper", | |
"System.Runtime.InteropServices._TypeBuilder", | |
"System.Runtime.InteropServices.TCEAdapterGen.EventProviderWriter", | |
"System.Runtime.InteropServices.TCEAdapterGen.EventSinkHelperWriter", | |
"System.Runtime.InteropServices.TCEAdapterGen.EventItfInfo", | |
"System.Runtime.InteropServices.TCEAdapterGen.NameSpaceExtractor", | |
"System.Runtime.InteropServices.TCEAdapterGen.TCEAdapterGenerator", | |
"System.Runtime.InteropServices.WindowsRuntime.DefaultInterfaceAttribute", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeImportAttribute", | |
"System.Runtime.InteropServices.WindowsRuntime.InterfaceImplementedInVersionAttribute", | |
"System.Runtime.InteropServices.WindowsRuntime.ReadOnlyArrayAttribute", | |
"System.Runtime.InteropServices.WindowsRuntime.WriteOnlyArrayAttribute", | |
"System.Runtime.InteropServices.WindowsRuntime.ReturnValueNameAttribute", | |
"System.Runtime.InteropServices.WindowsRuntime.ConstantSplittableMap`2", | |
"System.Runtime.InteropServices.WindowsRuntime.DictionaryKeyCollection`2", | |
"System.Runtime.InteropServices.WindowsRuntime.DictionaryKeyEnumerator`2", | |
"System.Runtime.InteropServices.WindowsRuntime.DictionaryValueCollection`2", | |
"System.Runtime.InteropServices.WindowsRuntime.DictionaryValueEnumerator`2", | |
"System.Runtime.InteropServices.WindowsRuntime.EnumerableToIterableAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.EnumerableToBindableIterableAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.EnumeratorToIteratorAdapter`1", | |
"System.Runtime.InteropServices.WindowsRuntime.VectorToListAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.VectorToCollectionAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.VectorViewToReadOnlyCollectionAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.MapToDictionaryAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.MapToCollectionAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.MapViewToReadOnlyCollectionAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.ListToVectorAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.DictionaryToMapAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.BindableVectorToListAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.BindableVectorToCollectionAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.ListToBindableVectorAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.ListToBindableVectorViewAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken", | |
"System.Runtime.InteropServices.WindowsRuntime.EventRegistrationTokenTable`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IActivationFactory", | |
"System.Runtime.InteropServices.WindowsRuntime.IRestrictedErrorInfo", | |
"System.Runtime.InteropServices.WindowsRuntime.IMapViewToIReadOnlyDictionaryAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.ReadOnlyDictionaryKeyCollection`2", | |
"System.Runtime.InteropServices.WindowsRuntime.ReadOnlyDictionaryKeyEnumerator`2", | |
"System.Runtime.InteropServices.WindowsRuntime.ReadOnlyDictionaryValueCollection`2", | |
"System.Runtime.InteropServices.WindowsRuntime.ReadOnlyDictionaryValueEnumerator`2", | |
"System.Runtime.InteropServices.WindowsRuntime.Indexer_Get_Delegate`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IVectorViewToIReadOnlyListAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.IReadOnlyDictionaryToIMapViewAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.IReadOnlyListToIVectorViewAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.GetEnumerator_Delegate`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IterableToEnumerableAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.BindableIterableToEnumerableAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.IteratorToEnumeratorAdapter`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IManagedActivationFactory", | |
"System.Runtime.InteropServices.WindowsRuntime.ManagedActivationFactory", | |
"System.Runtime.InteropServices.WindowsRuntime.HSTRING_HEADER", | |
"System.Runtime.InteropServices.WindowsRuntime.UnsafeNativeMethods", | |
"System.Runtime.InteropServices.WindowsRuntime.PropertyType", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMetadata", | |
"System.Runtime.InteropServices.WindowsRuntime.NamespaceResolveEventArgs", | |
"System.Runtime.InteropServices.WindowsRuntime.DesignerNamespaceResolveEventArgs", | |
"System.Runtime.InteropServices.WindowsRuntime.IClosable", | |
"System.Runtime.InteropServices.WindowsRuntime.IDisposableToIClosableAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.IClosableToIDisposableAdapter", | |
"System.Runtime.InteropServices.WindowsRuntime.IStringable", | |
"System.Runtime.InteropServices.WindowsRuntime.IStringableHelper", | |
"System.Runtime.InteropServices.WindowsRuntime.RuntimeClass", | |
"System.Runtime.InteropServices.WindowsRuntime.CLRIPropertyValueImpl", | |
"System.Runtime.InteropServices.WindowsRuntime.CLRIReferenceImpl`1", | |
"System.Runtime.InteropServices.WindowsRuntime.CLRIReferenceArrayImpl`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IReferenceFactory", | |
"System.Runtime.InteropServices.WindowsRuntime.IPropertyValue", | |
"System.Runtime.InteropServices.WindowsRuntime.Point", | |
"System.Runtime.InteropServices.WindowsRuntime.Size", | |
"System.Runtime.InteropServices.WindowsRuntime.Rect", | |
"System.Runtime.InteropServices.WindowsRuntime.IReference`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IReferenceArray`1", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsFoundationEventHandler`1", | |
"System.Runtime.InteropServices.WindowsRuntime.ICustomPropertyProvider", | |
"System.Runtime.InteropServices.WindowsRuntime.ICustomPropertyProviderImpl", | |
"System.Runtime.InteropServices.WindowsRuntime.InterfaceForwardingSupport", | |
"System.Runtime.InteropServices.WindowsRuntime.IGetProxyTarget", | |
"System.Runtime.InteropServices.WindowsRuntime.ICustomPropertyProviderProxy`2", | |
"System.Runtime.InteropServices.WindowsRuntime.ICustomProperty", | |
"System.Runtime.InteropServices.WindowsRuntime.CustomPropertyImpl", | |
"System.Runtime.InteropServices.WindowsRuntime.IWinRTClassActivator", | |
"System.Runtime.InteropServices.WindowsRuntime.WinRTClassActivator", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeBufferHelper", | |
"System.Runtime.InteropServices.WindowsRuntime.IIterable`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IBindableIterable", | |
"System.Runtime.InteropServices.WindowsRuntime.IIterator`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IBindableIterator", | |
"System.Runtime.InteropServices.WindowsRuntime.IVector`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IVector_Raw`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IVectorView`1", | |
"System.Runtime.InteropServices.WindowsRuntime.IBindableVector", | |
"System.Runtime.InteropServices.WindowsRuntime.IBindableVectorView", | |
"System.Runtime.InteropServices.WindowsRuntime.IMap`2", | |
"System.Runtime.InteropServices.WindowsRuntime.IMapView`2", | |
"System.Runtime.InteropServices.WindowsRuntime.IKeyValuePair`2", | |
"System.Runtime.InteropServices.WindowsRuntime.CLRIKeyValuePairImpl`2", | |
"System.Runtime.InteropServices.Expando.IExpando", | |
"System.Runtime.InteropServices.ComTypes.BIND_OPTS", | |
"System.Runtime.InteropServices.ComTypes.IBindCtx", | |
"System.Runtime.InteropServices.ComTypes.IConnectionPointContainer", | |
"System.Runtime.InteropServices.ComTypes.IConnectionPoint", | |
"System.Runtime.InteropServices.ComTypes.IEnumerable", | |
"System.Runtime.InteropServices.ComTypes.IEnumerator", | |
"System.Runtime.InteropServices.ComTypes.IEnumMoniker", | |
"System.Runtime.InteropServices.ComTypes.CONNECTDATA", | |
"System.Runtime.InteropServices.ComTypes.IEnumConnections", | |
"System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints", | |
"System.Runtime.InteropServices.ComTypes.IEnumString", | |
"System.Runtime.InteropServices.ComTypes.IEnumVARIANT", | |
"System.Runtime.InteropServices.ComTypes.IExpando", | |
"System.Runtime.InteropServices.ComTypes.FILETIME", | |
"System.Runtime.InteropServices.ComTypes.IMoniker", | |
"System.Runtime.InteropServices.ComTypes.IPersistFile", | |
"System.Runtime.InteropServices.ComTypes.IReflect", | |
"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.VARKIND", | |
"System.Runtime.InteropServices.ComTypes.VARDESC", | |
"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.SYSKIND", | |
"System.Runtime.InteropServices.ComTypes.LIBFLAGS", | |
"System.Runtime.InteropServices.ComTypes.TYPELIBATTR", | |
"System.Runtime.InteropServices.ComTypes.ITypeLib", | |
"System.Runtime.InteropServices.ComTypes.ITypeLib2", | |
"System.Runtime.InteropServices.ComTypes.ITypeInfo2", | |
"System.Runtime.Hosting.ManifestRunner", | |
"System.Runtime.Hosting.ApplicationActivator", | |
"System.Runtime.Hosting.ActivationArguments", | |
"System.Text.StringBuilder", | |
"System.Text.StringBuilderCache", | |
"System.Text.ASCIIEncoding", | |
"System.Text.BaseCodePageEncoding", | |
"System.Text.CodePageEncoding", | |
"System.Text.Decoder", | |
"System.Text.DecoderNLS", | |
"System.Text.InternalDecoderBestFitFallback", | |
"System.Text.InternalDecoderBestFitFallbackBuffer", | |
"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.EncoderNLS", | |
"System.Text.InternalEncoderBestFitFallback", | |
"System.Text.InternalEncoderBestFitFallbackBuffer", | |
"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.EncodingNLS", | |
"System.Text.EncodingProvider", | |
"System.Text.ISCIIEncoding", | |
"System.Text.Latin1Encoding", | |
"System.Text.MLangCodePageEncoding", | |
"System.Text.NormalizationForm", | |
"System.Text.ExtendedNormalizationForms", | |
"System.Text.Normalization", | |
"System.Text.DBCSCodePageEncoding", | |
"System.Text.SBCSCodePageEncoding", | |
"System.Text.SurrogateEncoder", | |
"System.Text.UnicodeEncoding", | |
"System.Text.UTF7Encoding", | |
"System.Text.UTF8Encoding", | |
"System.Text.UTF32Encoding", | |
"System.Text.GB18030Encoding", | |
"System.Text.ISO2022Encoding", | |
"System.Text.EUCJPEncoding", | |
"<PrivateImplementationDetails>", | |
"Microsoft.Win32.Win32Native+SystemTime", | |
"Microsoft.Win32.Win32Native+TimeZoneInformation", | |
"Microsoft.Win32.Win32Native+DynamicTimeZoneInformation", | |
"Microsoft.Win32.Win32Native+RegistryTimeZoneInformation", | |
"Microsoft.Win32.Win32Native+OSVERSIONINFO", | |
"Microsoft.Win32.Win32Native+OSVERSIONINFOEX", | |
"Microsoft.Win32.Win32Native+SYSTEM_INFO", | |
"Microsoft.Win32.Win32Native+SECURITY_ATTRIBUTES", | |
"Microsoft.Win32.Win32Native+WIN32_FILE_ATTRIBUTE_DATA", | |
"Microsoft.Win32.Win32Native+FILE_TIME", | |
"Microsoft.Win32.Win32Native+KERB_S4U_LOGON", | |
"Microsoft.Win32.Win32Native+LSA_OBJECT_ATTRIBUTES", | |
"Microsoft.Win32.Win32Native+UNICODE_STRING", | |
"Microsoft.Win32.Win32Native+UNICODE_INTPTR_STRING", | |
"Microsoft.Win32.Win32Native+LSA_TRANSLATED_NAME", | |
"Microsoft.Win32.Win32Native+LSA_TRANSLATED_SID", | |
"Microsoft.Win32.Win32Native+LSA_TRANSLATED_SID2", | |
"Microsoft.Win32.Win32Native+LSA_TRUST_INFORMATION", | |
"Microsoft.Win32.Win32Native+LSA_REFERENCED_DOMAIN_LIST", | |
"Microsoft.Win32.Win32Native+LUID", | |
"Microsoft.Win32.Win32Native+LUID_AND_ATTRIBUTES", | |
"Microsoft.Win32.Win32Native+QUOTA_LIMITS", | |
"Microsoft.Win32.Win32Native+SECURITY_LOGON_SESSION_DATA", | |
"Microsoft.Win32.Win32Native+SID_AND_ATTRIBUTES", | |
"Microsoft.Win32.Win32Native+TOKEN_GROUPS", | |
"Microsoft.Win32.Win32Native+TOKEN_PRIMARY_GROUP", | |
"Microsoft.Win32.Win32Native+TOKEN_PRIVILEGE", | |
"Microsoft.Win32.Win32Native+TOKEN_SOURCE", | |
"Microsoft.Win32.Win32Native+TOKEN_STATISTICS", | |
"Microsoft.Win32.Win32Native+TOKEN_USER", | |
"Microsoft.Win32.Win32Native+MEMORYSTATUSEX", | |
"Microsoft.Win32.Win32Native+MEMORY_BASIC_INFORMATION", | |
"Microsoft.Win32.Win32Native+NlsVersionInfoEx", | |
"Microsoft.Win32.Win32Native+WIN32_FIND_DATA", | |
"Microsoft.Win32.Win32Native+ConsoleCtrlHandlerRoutine", | |
"Microsoft.Win32.Win32Native+COORD", | |
"Microsoft.Win32.Win32Native+SMALL_RECT", | |
"Microsoft.Win32.Win32Native+CONSOLE_SCREEN_BUFFER_INFO", | |
"Microsoft.Win32.Win32Native+CONSOLE_CURSOR_INFO", | |
"Microsoft.Win32.Win32Native+KeyEventRecord", | |
"Microsoft.Win32.Win32Native+InputRecord", | |
"Microsoft.Win32.Win32Native+Color", | |
"Microsoft.Win32.Win32Native+CHAR_INFO", | |
"Microsoft.Win32.Win32Native+USEROBJECTFLAGS", | |
"Microsoft.Win32.Win32Native+SECURITY_IMPERSONATION_LEVEL", | |
"Microsoft.Win32.Win32Native+CLAIM_SECURITY_ATTRIBUTE_INFORMATION_V1", | |
"Microsoft.Win32.Win32Native+CLAIM_SECURITY_ATTRIBUTES_INFORMATION", | |
"Microsoft.Win32.Win32Native+CLAIM_SECURITY_ATTRIBUTE_FQBN_VALUE", | |
"Microsoft.Win32.Win32Native+CLAIM_SECURITY_ATTRIBUTE_OCTET_STRING_VALUE", | |
"Microsoft.Win32.Win32Native+CLAIM_VALUES_ATTRIBUTE_V1", | |
"Microsoft.Win32.Win32Native+CLAIM_SECURITY_ATTRIBUTE_V1", | |
"Microsoft.Win32.Win32Native+RTL_OSVERSIONINFOEX", | |
"Microsoft.Win32.Win32Native+ProcessorArchitecture", | |
"Microsoft.Win32.RegistryKey+RegistryInternalCheck", | |
"Microsoft.Win32.UnsafeNativeMethods+ManifestEtw", | |
"System.AppContext+SwitchValueState", | |
"System.Array+FunctorComparer`1", | |
"System.Array+SorterObjectArray", | |
"System.Array+SorterGenericArray", | |
"System.Array+SZArrayEnumerator", | |
"System.Array+ArrayEnumerator", | |
"System.SZArrayHelper+SZGenericArrayEnumerator`1", | |
"System.ArraySegment`1+ArraySegmentEnumerator", | |
"System.Exception+__RestrictedErrorObject", | |
"System.Exception+ExceptionMessageKind", | |
"System.DateTime+FullSystemTime", | |
"System.AppDomainInitializerInfo+ItemInfo", | |
"System.AppDomain+APPX_FLAGS", | |
"System.AppDomain+NamespaceResolverForIntrospection", | |
"System.AppDomain+EvidenceCollection", | |
"System.AppDomain+CAPTCASearcher", | |
"System.AppDomainSetup+LoaderInformation", | |
"System.ActivationContext+ContextForm", | |
"System.ActivationContext+ApplicationState", | |
"System.ActivationContext+ApplicationStateDisposition", | |
"System.Buffer+Block16", | |
"System.Buffer+Block64", | |
"System.BaseConfigHandler+NotifyEventCallback", | |
"System.BaseConfigHandler+BeginChildrenCallback", | |
"System.BaseConfigHandler+EndChildrenCallback", | |
"System.BaseConfigHandler+ErrorCallback", | |
"System.BaseConfigHandler+CreateNodeCallback", | |
"System.BaseConfigHandler+CreateAttributeCallback", | |
"System.Console+ControlKeyState", | |
"System.Console+ControlCHooker", | |
"System.Console+ControlCDelegateData", | |
"System.DefaultBinder+BinderState", | |
"System.DefaultBinder+<>c", | |
"System.DelegateSerializationHolder+DelegateEntry", | |
"System.Enum+ParseFailureKind", | |
"System.Enum+EnumResult", | |
"System.Enum+ValuesAndNames", | |
"System.Environment+ResourceHelper", | |
"System.Environment+SpecialFolderOption", | |
"System.Environment+SpecialFolder", | |
"System.GC+StartNoGCRegionStatus", | |
"System.GC+EndNoGCRegionStatus", | |
"System.Guid+GuidStyles", | |
"System.Guid+GuidParseThrowStyle", | |
"System.Guid+ParseFailureKind", | |
"System.Guid+GuidResult", | |
"System.Lazy`1+Boxed", | |
"System.Lazy`1+LazyInternalExceptionHolder", | |
"System.Lazy`1+<>c", | |
"System.Mda+StreamWriterBufferedDataLost", | |
"System.Number+NumberBuffer", | |
"System.RuntimeType+MemberListType", | |
"System.RuntimeType+ListBuilder`1", | |
"System.RuntimeType+RuntimeTypeCache", | |
"System.RuntimeType+ConstructorInfoComparer", | |
"System.RuntimeType+ActivatorCacheEntry", | |
"System.RuntimeType+ActivatorCache", | |
"System.RuntimeType+DispatchWrapperType", | |
"System.RuntimeTypeHandle+IntroducedMethodEnumerator", | |
"System.Signature+MdSigCallingConvention", | |
"System.Resolver+CORINFO_EH_CLAUSE", | |
"System.TimeZoneInfo+TimeZoneInfoResult", | |
"System.TimeZoneInfo+CachedData", | |
"System.TimeZoneInfo+OffsetAndRule", | |
"System.TimeZoneInfo+AdjustmentRule", | |
"System.TimeZoneInfo+TransitionTime", | |
"System.TimeZoneInfo+StringSerializer", | |
"System.TimeZoneInfo+TimeZoneInfoComparer", | |
"System.Version+ParseFailureKind", | |
"System.Version+VersionResult", | |
"System.DateTimeParse+MatchNumberDelegate", | |
"System.DateTimeParse+DTT", | |
"System.DateTimeParse+TM", | |
"System.DateTimeParse+DS", | |
"System.IO.BufferedStream+<FlushAsyncInternal>d__38", | |
"System.IO.BufferedStream+<FlushWriteAsync>d__42", | |
"System.IO.BufferedStream+<ReadFromUnderlyingStreamAsync>d__51", | |
"System.IO.BufferedStream+<WriteToUnderlyingStreamAsync>d__60", | |
"System.IO.Directory+SearchData", | |
"System.IO.FileStreamAsyncResult+<>c", | |
"System.IO.FileStream+FileStreamReadWriteTask`1", | |
"System.IO.FileStream+<>c", | |
"System.IO.Stream+ReadWriteParameters", | |
"System.IO.Stream+ReadWriteTask", | |
"System.IO.Stream+NullStream", | |
"System.IO.Stream+SynchronousAsyncResult", | |
"System.IO.Stream+SyncStream", | |
"System.IO.Stream+<>c", | |
"System.IO.Stream+<CopyToAsyncInternal>d__27", | |
"System.IO.StreamReader+NullStreamReader", | |
"System.IO.StreamReader+<ReadLineAsyncInternal>d__60", | |
"System.IO.StreamReader+<ReadToEndAsyncInternal>d__62", | |
"System.IO.StreamReader+<ReadAsyncInternal>d__64", | |
"System.IO.StreamReader+<ReadBufferAsync>d__97", | |
"System.IO.StreamWriter+MdaHelper", | |
"System.IO.StreamWriter+<WriteAsyncInternal>d__53", | |
"System.IO.StreamWriter+<WriteAsyncInternal>d__55", | |
"System.IO.StreamWriter+<WriteAsyncInternal>d__57", | |
"System.IO.StreamWriter+<FlushAsyncInternal>d__68", | |
"System.IO.TextReader+NullTextReader", | |
"System.IO.TextReader+SyncTextReader", | |
"System.IO.TextReader+<ReadToEndAsync>d__14", | |
"System.IO.TextReader+<ReadBlockAsyncInternal>d__18", | |
"System.IO.TextReader+<>c", | |
"System.IO.TextWriter+NullTextWriter", | |
"System.IO.TextWriter+SyncTextWriter", | |
"System.IO.TextWriter+<>c", | |
"System.Security.SecurityElement+ToStringHelperFunc", | |
"System.Security.PermissionSet+IsSubsetOfType", | |
"System.Security.SecurityContext+Reader", | |
"System.Security.SecurityContext+SecurityContextRunData", | |
"System.Security.AccessControl.CommonAcl+AF", | |
"System.Security.AccessControl.CommonAcl+PM", | |
"System.Security.AccessControl.CommonAcl+ComparisonResult", | |
"System.Security.AccessControl.NativeObjectSecurity+ExceptionFromErrorCode", | |
"System.Security.AccessControl.Privilege+TlsContents", | |
"System.Security.Cryptography.CapiNative+AlgorithmClass", | |
"System.Security.Cryptography.CapiNative+AlgorithmType", | |
"System.Security.Cryptography.CapiNative+AlgorithmSubId", | |
"System.Security.Cryptography.CapiNative+AlgorithmID", | |
"System.Security.Cryptography.CapiNative+CryptAcquireContextFlags", | |
"System.Security.Cryptography.CapiNative+ErrorCode", | |
"System.Security.Cryptography.CapiNative+HashProperty", | |
"System.Security.Cryptography.CapiNative+KeyGenerationFlags", | |
"System.Security.Cryptography.CapiNative+KeyProperty", | |
"System.Security.Cryptography.CapiNative+KeySpec", | |
"System.Security.Cryptography.CapiNative+ProviderNames", | |
"System.Security.Cryptography.CapiNative+ProviderType", | |
"System.Security.Cryptography.CapiNative+UnsafeNativeMethods", | |
"System.Security.Cryptography.CryptoStream+HopToThreadPoolAwaitable", | |
"System.Security.Cryptography.CryptoStream+<ReadAsyncInternal>d__36", | |
"System.Security.Cryptography.CryptoStream+<WriteAsyncInternal>d__39", | |
"System.Security.Cryptography.HMACSHA256+<>c", | |
"System.Security.Cryptography.HMACSHA384+<>c", | |
"System.Security.Cryptography.HMACSHA512+<>c", | |
"System.Security.Claims.Claim+SerializationMask", | |
"System.Security.Claims.ClaimsIdentity+SerializationMask", | |
"System.Security.Claims.ClaimsIdentity+<get_Claims>d__51", | |
"System.Security.Claims.ClaimsPrincipal+SerializationMask", | |
"System.Security.Claims.ClaimsPrincipal+<get_Claims>d__37", | |
"System.Security.Claims.RoleClaimProvider+<get_Claims>d__5", | |
"System.Security.Principal.WindowsIdentity+<get_Claims>d__95", | |
"System.Security.Principal.WindowsPrincipal+<get_UserClaims>d__11", | |
"System.Security.Principal.WindowsPrincipal+<get_DeviceClaims>d__13", | |
"System.Security.Policy.Evidence+DuplicateEvidenceAction", | |
"System.Security.Policy.Evidence+EvidenceLockHolder", | |
"System.Security.Policy.Evidence+EvidenceUpgradeLockHolder", | |
"System.Security.Policy.Evidence+RawEvidenceEnumerator", | |
"System.Security.Policy.Evidence+EvidenceEnumerator", | |
"System.Security.Util.Tokenizer+TokenSource", | |
"System.Security.Util.Tokenizer+ByteTokenEncoding", | |
"System.Security.Util.Tokenizer+StringMaker", | |
"System.Security.Util.Tokenizer+ITokenReader", | |
"System.Security.Util.Tokenizer+StreamTokenReader", | |
"System.Resources.ResourceFallbackManager+<GetEnumerator>d__5", | |
"System.Resources.ResourceManager+CultureNameResourceSetPair", | |
"System.Resources.ResourceManager+ResourceManagerMediator", | |
"System.Resources.ResourceReader+TypeLimitingDeserializationBinder", | |
"System.Resources.ResourceReader+ResourceEnumerator", | |
"System.Resources.ResourceWriter+PrecannedResource", | |
"System.Resources.ResourceWriter+StreamWrapper", | |
"System.Globalization.CharUnicodeInfo+UnicodeDataHeader", | |
"System.Globalization.CharUnicodeInfo+DigitValues", | |
"System.Globalization.DateTimeFormatInfoScanner+FoundDatePattern", | |
"System.Globalization.HebrewCalendar+__DateBuffer", | |
"System.Globalization.UmAlQuraCalendar+DateMapping", | |
"System.Globalization.CalendricalCalculationsHelper+CorrectionAlgorithm", | |
"System.Globalization.CalendricalCalculationsHelper+EphemerisCorrectionAlgorithmMap", | |
"System.Globalization.TextInfo+Tristate", | |
"System.Globalization.TimeSpanFormat+Pattern", | |
"System.Globalization.TimeSpanFormat+FormatLiterals", | |
"System.Globalization.TimeSpanParse+TimeSpanThrowStyle", | |
"System.Globalization.TimeSpanParse+ParseFailureKind", | |
"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.HebrewNumber+HebrewToken", | |
"System.Globalization.HebrewNumber+HebrewValue", | |
"System.Globalization.HebrewNumber+HS", | |
"System.Diagnostics.Debugger+CrossThreadDependencyNotification", | |
"System.Diagnostics.DebuggableAttribute+DebuggingModes", | |
"System.Diagnostics.StackFrameHelper+GetSourceLineInfoDelegate", | |
"System.Diagnostics.StackTrace+TraceFormat", | |
"System.Diagnostics.Tracing.ActivityTracker+ActivityInfo", | |
"System.Diagnostics.Tracing.EventProvider+EventData", | |
"System.Diagnostics.Tracing.EventProvider+SessionInfo", | |
"System.Diagnostics.Tracing.EventProvider+WriteEventErrorCode", | |
"System.Diagnostics.Tracing.EventProvider+<>c__DisplayClass40_0", | |
"System.Diagnostics.Tracing.EventSource+EventData", | |
"System.Diagnostics.Tracing.EventSource+Sha1ForNonSecretPurposes", | |
"System.Diagnostics.Tracing.EventSource+OverideEventProvider", | |
"System.Diagnostics.Tracing.EventSource+EventMetadata", | |
"System.Diagnostics.Tracing.ActivityFilter+<GetFilterAsTuple>d__7", | |
"System.Diagnostics.Tracing.ActivityFilter+<>c__DisplayClass11_0", | |
"System.Diagnostics.Tracing.ActivityFilter+<>c__DisplayClass13_0", | |
"System.Diagnostics.Tracing.EtwSession+<>c__DisplayClass1_0", | |
"System.Diagnostics.Tracing.EtwSession+<>c", | |
"System.Diagnostics.Tracing.ManifestBuilder+ChannelInfo", | |
"System.Diagnostics.Tracing.ManifestBuilder+<>c", | |
"System.Diagnostics.Tracing.ManifestBuilder+<>c__DisplayClass28_0", | |
"System.Diagnostics.Tracing.ManifestBuilder+<>c__DisplayClass28_1", | |
"System.Diagnostics.Tracing.ManifestEnvelope+ManifestFormats", | |
"System.Diagnostics.Tracing.FrameworkEventSource+Keywords", | |
"System.Diagnostics.Tracing.FrameworkEventSource+Tasks", | |
"System.Diagnostics.Tracing.FrameworkEventSource+Opcodes", | |
"System.Diagnostics.Tracing.EnumHelper`1+Transformer`1", | |
"System.Diagnostics.Tracing.EnumHelper`1+Caster`1", | |
"System.Diagnostics.Tracing.EventPayload+<GetEnumerator>d__17", | |
"System.Diagnostics.Tracing.EventSourceActivity+State", | |
"System.Diagnostics.Tracing.StructPropertyWriter`2+Getter", | |
"System.Diagnostics.Tracing.ClassPropertyWriter`2+Getter", | |
"System.Diagnostics.Tracing.TraceLoggingMetadataCollector+Impl", | |
"System.Collections.Queue+SynchronizedQueue", | |
"System.Collections.Queue+QueueEnumerator", | |
"System.Collections.Queue+QueueDebugView", | |
"System.Collections.ArrayList+IListWrapper", | |
"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.BitArray+BitArrayEnumeratorSimple", | |
"System.Collections.Stack+SyncStack", | |
"System.Collections.Stack+StackEnumerator", | |
"System.Collections.Stack+StackDebugView", | |
"System.Collections.ListDictionaryInternal+NodeEnumerator", | |
"System.Collections.ListDictionaryInternal+NodeKeyValueCollection", | |
"System.Collections.ListDictionaryInternal+DictionaryNode", | |
"System.Collections.EmptyReadOnlyDictionaryInternal+NodeEnumerator", | |
"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.SortedList+SyncSortedList", | |
"System.Collections.SortedList+SortedListEnumerator", | |
"System.Collections.SortedList+KeyList", | |
"System.Collections.SortedList+ValueList", | |
"System.Collections.SortedList+SortedListDebugView", | |
"System.Collections.Concurrent.ConcurrentStack`1+Node", | |
"System.Collections.Concurrent.ConcurrentStack`1+<GetEnumerator>d__37", | |
"System.Collections.Concurrent.ConcurrentDictionary`2+Tables", | |
"System.Collections.Concurrent.ConcurrentDictionary`2+Node", | |
"System.Collections.Concurrent.ConcurrentDictionary`2+DictionaryEnumerator", | |
"System.Collections.Concurrent.ConcurrentDictionary`2+<GetEnumerator>d__34", | |
"System.Collections.Concurrent.ConcurrentQueue`1+Segment", | |
"System.Collections.Concurrent.ConcurrentQueue`1+<GetEnumerator>d__27", | |
"System.Collections.Concurrent.OrderablePartitioner`1+EnumerableDropIndices", | |
"System.Collections.Concurrent.OrderablePartitioner`1+EnumeratorDropIndices", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionEnumerator_Abstract`2", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForIEnumerable`1", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForIndexRange_Abstract`2", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionEnumeratorForIndexRange_Abstract`2", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForIList`1", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForArray`1", | |
"System.Collections.Concurrent.Partitioner+StaticIndexRangePartitioner`2", | |
"System.Collections.Concurrent.Partitioner+StaticIndexRangePartition`1", | |
"System.Collections.Concurrent.Partitioner+StaticIndexRangePartitionerForIList`1", | |
"System.Collections.Concurrent.Partitioner+StaticIndexRangePartitionForIList`1", | |
"System.Collections.Concurrent.Partitioner+StaticIndexRangePartitionerForArray`1", | |
"System.Collections.Concurrent.Partitioner+StaticIndexRangePartitionForArray`1", | |
"System.Collections.Concurrent.Partitioner+SharedInt", | |
"System.Collections.Concurrent.Partitioner+SharedBool", | |
"System.Collections.Concurrent.Partitioner+SharedLong", | |
"System.Collections.Concurrent.Partitioner+<CreateRanges>d__6", | |
"System.Collections.Concurrent.Partitioner+<CreateRanges>d__9", | |
"System.Collections.ObjectModel.ReadOnlyDictionary`2+DictionaryEnumerator", | |
"System.Collections.ObjectModel.ReadOnlyDictionary`2+KeyCollection", | |
"System.Collections.ObjectModel.ReadOnlyDictionary`2+ValueCollection", | |
"System.Collections.Generic.Dictionary`2+Entry", | |
"System.Collections.Generic.Dictionary`2+Enumerator", | |
"System.Collections.Generic.Dictionary`2+KeyCollection", | |
"System.Collections.Generic.Dictionary`2+ValueCollection", | |
"System.Collections.Generic.List`1+SynchronizedList", | |
"System.Collections.Generic.List`1+Enumerator", | |
"System.Threading.AsyncLocalValueMap+EmptyAsyncLocalValueMap", | |
"System.Threading.AsyncLocalValueMap+OneElementAsyncLocalValueMap", | |
"System.Threading.AsyncLocalValueMap+TwoElementAsyncLocalValueMap", | |
"System.Threading.AsyncLocalValueMap+ThreeElementAsyncLocalValueMap", | |
"System.Threading.AsyncLocalValueMap+MultiElementAsyncLocalValueMap", | |
"System.Threading.AsyncLocalValueMap+ManyElementAsyncLocalValueMap", | |
"System.Threading.SynchronizationContext+WaitDelegate", | |
"System.Threading.CompressedStack+CompressedStackRunData", | |
"System.Threading.ExecutionContext+Flags", | |
"System.Threading.ExecutionContext+Reader", | |
"System.Threading.ExecutionContext+CaptureOptions", | |
"System.Threading.Mutex+MutexTryCodeHelper", | |
"System.Threading.Mutex+MutexCleanupInfo", | |
"System.Threading.Overlapped+<>c", | |
"System.Threading.PinnableBufferCache+<>c__DisplayClass0_0", | |
"System.Threading.ThreadPoolWorkQueue+SparseArray`1", | |
"System.Threading.ThreadPoolWorkQueue+WorkStealingQueue", | |
"System.Threading.ThreadPoolWorkQueue+QueueSegment", | |
"System.Threading.ThreadPool+<EnumerateQueuedWorkItems>d__21", | |
"System.Threading.TimerQueue+AppDomainTimerSafeHandle", | |
"System.Threading.WaitHandle+OpenExistingResult", | |
"System.Threading.SpinLock+SystemThreading_SpinLockDebugView", | |
"System.Threading.ThreadLocal`1+LinkedSlotVolatile", | |
"System.Threading.ThreadLocal`1+LinkedSlot", | |
"System.Threading.ThreadLocal`1+IdManager", | |
"System.Threading.ThreadLocal`1+FinalizationHelper", | |
"System.Threading.SemaphoreSlim+TaskNode", | |
"System.Threading.SemaphoreSlim+<WaitUntilCountOrTimeoutAsync>d__31", | |
"System.Threading.Tasks.Task`1+<>c", | |
"System.Threading.Tasks.TaskFactory`1+FromAsyncTrimPromise`1", | |
"System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass32_0", | |
"System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass35_0", | |
"System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass38_0`1", | |
"System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass41_0`2", | |
"System.Threading.Tasks.TaskFactory`1+<>c__DisplayClass44_0`3", | |
"System.Threading.Tasks.TaskFactory`1+<>c", | |
"System.Threading.Tasks.GenericDelegateCache`2+<>c", | |
"System.Threading.Tasks.Parallel+LoopTimer", | |
"System.Threading.Tasks.Parallel+<>c__DisplayClass4_0", | |
"System.Threading.Tasks.Parallel+<>c__DisplayClass4_1", | |
"System.Threading.Tasks.Parallel+<>c__DisplayClass4_2", | |
"System.Threading.Tasks.Parallel+<>c", | |
"System.Threading.Tasks.Parallel+<>c__DisplayClass17_0`1", | |
"System.Threading.Tasks.Parallel+<>c__DisplayClass18_0`1", | |
"System.Threading.Tasks.Parallel+<>c__DisplayClass30_0`2", | |
"System.Threading.Tasks.Parallel+<>c__DisplayClass31_0`2", | |
"System.Threading.Tasks.Parallel+<>c__DisplayClass42_0`2", | |
"System.Threading.Tasks.Task+ContingentProperties", | |
"System.Threading.Tasks.Task+SetOnInvokeMres", | |
"System.Threading.Tasks.Task+SetOnCountdownMres", | |
"System.Threading.Tasks.Task+DelayPromise", | |
"System.Threading.Tasks.Task+WhenAllPromise", | |
"System.Threading.Tasks.Task+WhenAllPromise`1", | |
"System.Threading.Tasks.Task+<>c__DisplayClass176_0", | |
"System.Threading.Tasks.Task+<>c", | |
"System.Threading.Tasks.UnwrapPromise`1+<>c", | |
"System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c__DisplayClass6_0", | |
"System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation+<>c", | |
"System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation+<>c", | |
"System.Threading.Tasks.AwaitTaskContinuation+<>c", | |
"System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise", | |
"System.Threading.Tasks.TaskFactory+CompleteOnCountdownPromise`1", | |
"System.Threading.Tasks.TaskFactory+CompleteOnInvokePromise", | |
"System.Threading.Tasks.TaskScheduler+SystemThreadingTasks_TaskSchedulerDebugView", | |
"System.Threading.Tasks.ThreadPoolTaskScheduler+<FilterTasksFromWorkItems>d__7", | |
"System.Threading.Tasks.AsyncCausalityTracer+Loggers", | |
"System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+CompletionState", | |
"System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler", | |
"System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+DebugView", | |
"System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ProcessingMode", | |
"System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+<>c", | |
"System.Threading.Tasks.SingleProducerSingleConsumerQueue`1+Segment", | |
"System.Threading.Tasks.SingleProducerSingleConsumerQueue`1+SegmentState", | |
"System.Threading.Tasks.SingleProducerSingleConsumerQueue`1+SingleProducerSingleConsumerQueue_DebugView", | |
"System.Threading.Tasks.SingleProducerSingleConsumerQueue`1+<GetEnumerator>d__16", | |
"System.Threading.Tasks.TplEtwProvider+ForkJoinOperationType", | |
"System.Threading.Tasks.TplEtwProvider+TaskWaitBehavior", | |
"System.Threading.Tasks.TplEtwProvider+Tasks", | |
"System.Threading.Tasks.TplEtwProvider+Keywords", | |
"System.Threading.Tasks.BeginEndAwaitableAdapter+<>c", | |
"System.Threading.Tasks.TaskToApm+TaskWrapperAsyncResult", | |
"System.Threading.Tasks.TaskToApm+<>c__DisplayClass3_0", | |
"System.StubHelpers.AsAnyMarshaler+BackPropAction", | |
"System.Reflection.CerHashtable`2+Table", | |
"System.Reflection.RuntimeAssembly+ASSEMBLY_FLAGS", | |
"System.Reflection.Associates+Attributes", | |
"System.Reflection.MetadataEnumResult+<smallResult>e__FixedBuffer", | |
"System.Reflection.TypeInfo+<GetDeclaredMethods>d__9", | |
"System.Reflection.TypeInfo+<get_DeclaredNestedTypes>d__23", | |
"System.Reflection.Emit.AssemblyBuilder+AssemblyBuilderLock", | |
"System.Reflection.Emit.TypeNameBuilder+Format", | |
"System.Reflection.Emit.DynamicResolver+DestroyScout", | |
"System.Reflection.Emit.DynamicResolver+SecurityControlFlags", | |
"System.Reflection.Emit.DynamicMethod+RTDynamicMethod", | |
"System.Reflection.Emit.MethodBuilder+SymCustomAttr", | |
"System.Reflection.Emit.TypeBuilder+CustAttr", | |
"System.Deployment.Internal.Isolation.StoreOperationStageComponent+OpFlags", | |
"System.Deployment.Internal.Isolation.StoreOperationStageComponent+Disposition", | |
"System.Deployment.Internal.Isolation.StoreOperationStageComponentFile+OpFlags", | |
"System.Deployment.Internal.Isolation.StoreOperationStageComponentFile+Disposition", | |
"System.Deployment.Internal.Isolation.StoreApplicationReference+RefFlags", | |
"System.Deployment.Internal.Isolation.StoreOperationPinDeployment+OpFlags", | |
"System.Deployment.Internal.Isolation.StoreOperationPinDeployment+Disposition", | |
"System.Deployment.Internal.Isolation.StoreOperationUnpinDeployment+OpFlags", | |
"System.Deployment.Internal.Isolation.StoreOperationUnpinDeployment+Disposition", | |
"System.Deployment.Internal.Isolation.StoreOperationInstallDeployment+OpFlags", | |
"System.Deployment.Internal.Isolation.StoreOperationInstallDeployment+Disposition", | |
"System.Deployment.Internal.Isolation.StoreOperationUninstallDeployment+OpFlags", | |
"System.Deployment.Internal.Isolation.StoreOperationUninstallDeployment+Disposition", | |
"System.Deployment.Internal.Isolation.StoreOperationSetDeploymentMetadata+OpFlags", | |
"System.Deployment.Internal.Isolation.StoreOperationSetDeploymentMetadata+Disposition", | |
"System.Deployment.Internal.Isolation.StoreOperationSetCanonicalizationContext+OpFlags", | |
"System.Deployment.Internal.Isolation.StoreOperationScavenge+OpFlags", | |
"System.Deployment.Internal.Isolation.Store+EnumAssembliesFlags", | |
"System.Deployment.Internal.Isolation.Store+EnumAssemblyFilesFlags", | |
"System.Deployment.Internal.Isolation.Store+EnumApplicationPrivateFiles", | |
"System.Deployment.Internal.Isolation.Store+EnumAssemblyInstallReferenceFlags", | |
"System.Deployment.Internal.Isolation.Store+IPathLock", | |
"System.Deployment.Internal.Isolation.Store+AssemblyPathLock", | |
"System.Deployment.Internal.Isolation.Store+ApplicationPathLock", | |
"System.Deployment.Internal.Isolation.Store+EnumCategoriesFlags", | |
"System.Deployment.Internal.Isolation.Store+EnumSubcategoriesFlags", | |
"System.Deployment.Internal.Isolation.Store+EnumCategoryInstancesFlags", | |
"System.Deployment.Internal.Isolation.Store+GetPackagePropertyFlags", | |
"System.Deployment.Internal.Isolation.IsolationInterop+CreateActContextParameters", | |
"System.Deployment.Internal.Isolation.IsolationInterop+CreateActContextParametersSource", | |
"System.Deployment.Internal.Isolation.IsolationInterop+CreateActContextParametersSourceDefinitionAppid", | |
"System.Runtime.GCSettings+SetLatencyModeStatus", | |
"System.Runtime.Versioning.BinaryCompatibility+BinaryCompatibilityMap", | |
"System.Runtime.Versioning.MultitargetingHelpers+<>c", | |
"System.Runtime.Serialization.FormatterServices+<>c__DisplayClass9_0", | |
"System.Runtime.Serialization.Formatters.Binary.BinaryFormatter+<>c", | |
"System.Runtime.Serialization.Formatters.Binary.ObjectReader+TypeNAssembly", | |
"System.Runtime.Serialization.Formatters.Binary.ObjectReader+TopLevelAssemblyTypeResolver", | |
"System.Runtime.Remoting.RemotingConfigHandler+RemotingConfigInfo", | |
"System.Runtime.Remoting.ServerIdentity+LastCalledType", | |
"System.Runtime.Remoting.SoapServices+XmlEntry", | |
"System.Runtime.Remoting.SoapServices+XmlToFieldTypeMap", | |
"System.Runtime.Remoting.Metadata.RemotingTypeCachedData+LastCalledMethodClass", | |
"System.Runtime.Remoting.Metadata.RemotingMethodCachedData+MethodCacheFlags", | |
"System.Runtime.Remoting.Metadata.SoapTypeAttribute+ExplicitlySet", | |
"System.Runtime.Remoting.Metadata.SoapFieldAttribute+ExplicitlySet", | |
"System.Runtime.Remoting.Contexts.SynchronizedClientContextSink+AsyncReplySink", | |
"System.Runtime.Remoting.Lifetime.Lease+AsyncRenewal", | |
"System.Runtime.Remoting.Lifetime.Lease+SponsorState", | |
"System.Runtime.Remoting.Lifetime.Lease+SponsorStateInfo", | |
"System.Runtime.Remoting.Lifetime.LeaseManager+SponsorInfo", | |
"System.Runtime.Remoting.Channels.ClientChannelSinkStack+SinkStack", | |
"System.Runtime.Remoting.Channels.ServerChannelSinkStack+SinkStack", | |
"System.Runtime.Remoting.Messaging.MethodCallMessageWrapper+MCMWrapperDictionary", | |
"System.Runtime.Remoting.Messaging.MethodReturnMessageWrapper+MRMWrapperDictionary", | |
"System.Runtime.Remoting.Messaging.MessageSmuggler+SerializedArg", | |
"System.Runtime.Remoting.Messaging.IllogicalCallContext+Reader", | |
"System.Runtime.Remoting.Messaging.LogicalCallContext+Reader", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+ChannelEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+ClientWellKnownEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+ContextAttributeEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+InteropXmlElementEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+CustomErrorsEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+InteropXmlTypeEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+LifetimeEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+PreLoadEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+RemoteAppEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+ServerWellKnownEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+SinkProviderEntry", | |
"System.Runtime.Remoting.Activation.RemotingXmlConfigFileData+TypeEntry", | |
"System.Runtime.CompilerServices.RuntimeHelpers+TryCode", | |
"System.Runtime.CompilerServices.RuntimeHelpers+CleanupCode", | |
"System.Runtime.CompilerServices.ConditionalWeakTable`2+CreateValueCallback", | |
"System.Runtime.CompilerServices.ConditionalWeakTable`2+Entry", | |
"System.Runtime.CompilerServices.ConditionalWeakTable`2+<>c", | |
"System.Runtime.CompilerServices.AsyncMethodBuilderCore+MoveNextRunner", | |
"System.Runtime.CompilerServices.AsyncMethodBuilderCore+ContinuationWrapper", | |
"System.Runtime.CompilerServices.AsyncMethodBuilderCore+<>c__DisplayClass4_0", | |
"System.Runtime.CompilerServices.AsyncMethodBuilderCore+<>c", | |
"System.Runtime.CompilerServices.TaskAwaiter+<>c__DisplayClass11_0", | |
"System.Runtime.CompilerServices.ConfiguredTaskAwaitable+ConfiguredTaskAwaiter", | |
"System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1+ConfiguredTaskAwaiter", | |
"System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter", | |
"System.Runtime.CompilerServices.FormattableStringFactory+ConcreteFormattableString", | |
"System.Runtime.InteropServices.NativeBuffer+EmptySafeHandle", | |
"System.Runtime.InteropServices.TypeLibConverter+TypeResolveHandler", | |
"System.Runtime.InteropServices.ELEMDESC+DESCUNION", | |
"System.Runtime.InteropServices.VARDESC+DESCUNION", | |
"System.Runtime.InteropServices.ComEventsMethod+DelegateWrapper", | |
"System.Runtime.InteropServices.NativeMethods+IDispatch", | |
"System.Runtime.InteropServices.Variant+TypeUnion", | |
"System.Runtime.InteropServices.Variant+Record", | |
"System.Runtime.InteropServices.Variant+UnionTypes", | |
"System.Runtime.InteropServices.WindowsRuntime.ConstantSplittableMap`2+KeyValuePairComparator", | |
"System.Runtime.InteropServices.WindowsRuntime.ConstantSplittableMap`2+IKeyValuePairEnumerator", | |
"System.Runtime.InteropServices.WindowsRuntime.EnumerableToBindableIterableAdapter+NonGenericToGenericEnumerator", | |
"System.Runtime.InteropServices.WindowsRuntime.BindableIterableToEnumerableAdapter+NonGenericToGenericIterator", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+EventRegistrationTokenList", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+ManagedEventRegistrationImpl", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+NativeOrStaticEventRegistrationImpl", | |
"System.Runtime.InteropServices.WindowsRuntime.ICustomPropertyProviderProxy`2+IVectorViewToIBindableVectorViewAdapter`1", | |
"System.Runtime.InteropServices.WindowsRuntime.ICustomPropertyProviderProxy`2+IteratorOfTToIteratorAdapter`1", | |
"System.Runtime.InteropServices.ComTypes.ELEMDESC+DESCUNION", | |
"System.Runtime.InteropServices.ComTypes.VARDESC+DESCUNION", | |
"System.Text.BaseCodePageEncoding+CodePageDataFileHeader", | |
"System.Text.BaseCodePageEncoding+CodePageIndex", | |
"System.Text.BaseCodePageEncoding+CodePageHeader", | |
"System.Text.CodePageEncoding+Decoder", | |
"System.Text.Encoding+DefaultEncoder", | |
"System.Text.Encoding+DefaultDecoder", | |
"System.Text.Encoding+EncodingCharBuffer", | |
"System.Text.Encoding+EncodingByteBuffer", | |
"System.Text.ISCIIEncoding+ISCIIEncoder", | |
"System.Text.ISCIIEncoding+ISCIIDecoder", | |
"System.Text.MLangCodePageEncoding+MLangEncoder", | |
"System.Text.MLangCodePageEncoding+MLangDecoder", | |
"System.Text.DBCSCodePageEncoding+DBCSDecoder", | |
"System.Text.UnicodeEncoding+Decoder", | |
"System.Text.UTF7Encoding+Decoder", | |
"System.Text.UTF7Encoding+Encoder", | |
"System.Text.UTF7Encoding+DecoderUTF7Fallback", | |
"System.Text.UTF7Encoding+DecoderUTF7FallbackBuffer", | |
"System.Text.UTF8Encoding+UTF8EncodingSealed", | |
"System.Text.UTF8Encoding+UTF8Encoder", | |
"System.Text.UTF8Encoding+UTF8Decoder", | |
"System.Text.UTF32Encoding+UTF32Decoder", | |
"System.Text.GB18030Encoding+GB18030Decoder", | |
"System.Text.ISO2022Encoding+ISO2022Modes", | |
"System.Text.ISO2022Encoding+ISO2022Encoder", | |
"System.Text.ISO2022Encoding+ISO2022Decoder", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=3", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=6", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=10", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=14", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=16", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=20", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=24", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=32", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=38", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=40", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=44", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=48", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=52", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=64", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=72", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=76", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=82", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=84", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=88", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=108", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=120", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=126", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=128", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=130", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=256", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=288", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=392", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=440", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=640", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=878", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=1208", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=1440", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=1472", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=2224", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=3200", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=3456", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=4096", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=4540", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=5264", | |
"<PrivateImplementationDetails>+__StaticArrayInitTypeSize=18128", | |
"Microsoft.Win32.Win32Native+WIN32_FIND_DATA+<_cFileName>e__FixedBuffer", | |
"Microsoft.Win32.Win32Native+WIN32_FIND_DATA+<_cAlternateFileName>e__FixedBuffer", | |
"Microsoft.Win32.UnsafeNativeMethods+ManifestEtw+EtwEnableCallback", | |
"Microsoft.Win32.UnsafeNativeMethods+ManifestEtw+EVENT_FILTER_DESCRIPTOR", | |
"Microsoft.Win32.UnsafeNativeMethods+ManifestEtw+ActivityControl", | |
"Microsoft.Win32.UnsafeNativeMethods+ManifestEtw+EVENT_INFO_CLASS", | |
"Microsoft.Win32.UnsafeNativeMethods+ManifestEtw+TRACE_QUERY_INFO_CLASS", | |
"Microsoft.Win32.UnsafeNativeMethods+ManifestEtw+TRACE_GUID_INFO", | |
"Microsoft.Win32.UnsafeNativeMethods+ManifestEtw+TRACE_PROVIDER_INSTANCE_INFO", | |
"Microsoft.Win32.UnsafeNativeMethods+ManifestEtw+TRACE_ENABLE_INFO", | |
"System.Environment+ResourceHelper+GetResourceStringUserData", | |
"System.RuntimeType+RuntimeTypeCache+CacheType", | |
"System.RuntimeType+RuntimeTypeCache+Filter", | |
"System.RuntimeType+RuntimeTypeCache+MemberInfoCache`1", | |
"System.TimeZoneInfo+StringSerializer+State", | |
"System.IO.Stream+SynchronousAsyncResult+<>c", | |
"System.Security.Policy.Evidence+EvidenceLockHolder+LockType", | |
"System.Security.Policy.Evidence+EvidenceEnumerator+Category", | |
"System.Diagnostics.Tracing.ActivityTracker+ActivityInfo+NumberListCodes", | |
"System.Collections.ArrayList+IListWrapper+IListWrapperEnumWrapper", | |
"System.Collections.ListDictionaryInternal+NodeKeyValueCollection+NodeKeyValueEnumerator", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForIEnumerable`1+InternalPartitionEnumerable", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForIEnumerable`1+InternalPartitionEnumerator", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForIList`1+InternalPartitionEnumerable", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForIList`1+InternalPartitionEnumerator", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForArray`1+InternalPartitionEnumerable", | |
"System.Collections.Concurrent.Partitioner+DynamicPartitionerForArray`1+InternalPartitionEnumerator", | |
"System.Collections.Generic.Dictionary`2+KeyCollection+Enumerator", | |
"System.Collections.Generic.Dictionary`2+ValueCollection+Enumerator", | |
"System.Threading.Tasks.ConcurrentExclusiveSchedulerPair+ConcurrentExclusiveTaskScheduler+DebugView", | |
"System.Reflection.Emit.DynamicMethod+RTDynamicMethod+EmptyCAHolder", | |
"System.Deployment.Internal.Isolation.IsolationInterop+CreateActContextParameters+CreateFlags", | |
"System.Deployment.Internal.Isolation.IsolationInterop+CreateActContextParametersSource+SourceFlags", | |
"System.Runtime.Remoting.SoapServices+XmlToFieldTypeMap+FieldEntry", | |
"System.Runtime.CompilerServices.YieldAwaitable+YieldAwaiter+<>c__DisplayClass5_0", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+NativeOrStaticEventRegistrationImpl+EventCacheKey", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+NativeOrStaticEventRegistrationImpl+EventCacheKeyEqualityComparer", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+NativeOrStaticEventRegistrationImpl+EventRegistrationTokenListWithCount", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+NativeOrStaticEventRegistrationImpl+TokenListCount", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+NativeOrStaticEventRegistrationImpl+EventCacheEntry", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+NativeOrStaticEventRegistrationImpl+ReaderWriterLockTimedOutException", | |
"System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal+NativeOrStaticEventRegistrationImpl+MyReaderWriterLock", | |
"__DynamicallyInvokableAttribute", | |
}; | |
public static string[] TenPercentTypeNames = AllTypeNames.Select((x, i) => (x, i)).Where(_ => _.i % 10 == 0).Select(x => x.x).ToArray(); | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment