.NET 6 introduces new handy APIs that will make our development journey easier. Let’s go through the top 10 new API in terms of usage likelyhood.
Then in the conclusion, we’ll provide the complete list of new .NET 6 API compared against .NET 5.
DateOnly and TimeOnly
Until now DateTime
and TimeSpan
were the only .NET Base Class Library choice to handle time operations. .NET 6.0 introduce two new structures: TimeOnly
and DateOnly
. Those are welcome because it was awkward to use DateTime
to handle the concepts of time-of-day, and date without time. Here is some sample code to illustrate the usage of these structures. Notice that the strings obtained with ToString()
might differ depending on your globalization settings:
1 2 3 4 5 6 7 8 9 10 11 12 13 |
var dateOnly = new DateOnly(2021,7,7); Assert.IsTrue(dateOnly.ToString() == "07-Jul-21"); Assert.IsTrue(dateOnly.AddMonths(1).ToString() == "07-Aug-21"); var timeOnly = new TimeOnly(11, 43, 57); Assert.IsTrue(timeOnly.ToString() == "11:43 AM"); Assert.IsTrue(timeOnly.AddHours(1) > timeOnly); Assert.IsTrue(timeOnly.AddHours(1) - timeOnly == new TimeSpan(1,0,0)); DateTime dateTime = dateOnly.ToDateTime(timeOnly); Assert.IsTrue(dateTime.ToString() == "07-Jul-21 11:43:57 AM"); Assert.IsTrue(DateOnly.FromDateTime(dateTime) == dateOnly); Assert.IsTrue(TimeOnly.FromDateTime(dateTime) == timeOnly); |
Notice that if your application must deal with tricky date concepts, like a partial date (7th of July or July 2021 for example), it is still recommended to use the OSS project NodaTime.
Still related to date, .NET 6.0 brings up some Time Zone Conversion APIs improvement. You can read more on the official MSDN blog post.
New collection: PriorityQueue<TElement,TPriority>
A new PriorityQueue<TElement,TPriority>
class is proposed in .NET 6. It is illustrated by this simple example:
1 2 3 4 5 6 7 |
var youngerFirstQueue = new PriorityQueue<string, int>(); youngerFirstQueue.Enqueue("Lena", 7); youngerFirstQueue.Enqueue("Patrick", 46); youngerFirstQueue.Enqueue("Paul", 7); Assert.IsTrue(youngerFirstQueue.Dequeue() == "Lena"); Assert.IsTrue(youngerFirstQueue.Dequeue() == "Paul"); Assert.IsTrue(youngerFirstQueue.Dequeue() == "Patrick"); |
It has been decided that the priority of an item cannot be changed. With this condition the PriorityQueue
implementation can be way faster.
Also for performance reasons, it has also been decided that the PriorityQueue
implementation is not necessarily stable. A priority queue is stable if items with the same priority are dequeued in the same enqueue order.
Unlike many collections, PriorityQueue
doesn’t implement IEnumerable<TElement>. This is because an enumerator on a PriorityQueue
would need to remember somehow what was the last item’s priority dequeue. Scenarios with multiples enumerators and a queue that gets new prioritized elements could lead to awkward situations. Instead PriorityQueue
proposes the property UnorderedItems
.
1 2 3 |
foreach (var item in youngerFirstQueue.UnorderedItems) { Console.WriteLine($"{item.Element} {item.Priority}"); } |
LINQ now works with Index and Range operators
.NET 6 improves LINQ to make it work with the C# index ^
and range ..
operators introduced with C#8. Those operators are full explained here. Here are some new extension methods:
1 2 3 |
public static TSource ElementAt<TSource>(this IEnumerable<TSource> source, Index index); public static TSource ElementAtOrDefault<TSource>(this IEnumerable<TSource> source, Index index); public static IEnumerable<TSource> Take<TSource>(this IEnumerable<TSource> source, Range range); |
See those in action here:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 |
// 6 element indexed from 0 to 5 var arr = new [] {0, 1, 2, 3, 4, 5}; Assert.IsTrue(arr.ElementAt(^2) == 4); // Take the second element from the end Assert.IsTrue(arr.ElementAtOrDefault(^10) == default); // No such index Assert.IsTrue(arr.Take(2..4).SequenceEqual(new[] { 2, 3 })); Assert.IsTrue(arr.Take(2..^2).SequenceEqual(new[] { 2, 3 })); // New Index Range usage with their pre .NET 6 equivalent Assert.IsTrue(arr.Take(..2).SequenceEqual(new[] { 0, 1 })); Assert.IsTrue(arr.Take(2).SequenceEqual(new[] { 0, 1 })); Assert.IsTrue(arr.Take(2..).SequenceEqual(new[] { 2, 3, 4, 5 })); Assert.IsTrue(arr.Skip(2).SequenceEqual(new[] { 2, 3, 4, 5 })); Assert.IsTrue(arr.Take(^2..).SequenceEqual(new[] { 4, 5 })); Assert.IsTrue(arr.TakeLast(2).SequenceEqual(new[] { 4, 5 })); Assert.IsTrue(arr.Take(..^2).SequenceEqual(new[] { 0, 1, 2, 3 })); Assert.IsTrue(arr.SkipLast(2).SequenceEqual(new[] { 0, 1, 2, 3 })); |
FirstOrDefault(), LastOrDefault() SingleOrDefault() now lets specify the default value
Until now these extension method necessarily returned default(T)
. You can now specify the default value. For example:
1 2 3 |
var arr = new [] {0, 1, 2, 3, 4, 5}; Assert.IsTrue(arr.FirstOrDefault(x => x > 6) == 0); Assert.IsTrue(arr.FirstOrDefault(x => x > 6, -1) == -1); |
MaxBy(), MinBy(), DistinctBy(), UnionBy(), IntersectBy(), ExceptBy()
Those address what this popular stackoverflow question addressed (288K views since 2009): How to use LINQ to select object with minimum or maximum property value
Let’s illustrate the new By
methods with some code:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 |
var buckets1 = new[] { (Color: "Red", Price: 7), (Color: "Blue", Price: 10), (Color: "Green", Price: 7), }; var buckets2 = new[] { (Color: "White", Price: 7), (Color: "Black", Price: 12), }; Assert.IsTrue(buckets1.MaxBy(p => p.Price).Color == "Blue"); Assert.IsTrue(buckets1.MinBy(p => p.Price).Color == "Red"); // bucket from buckets1 distinct by price Assert.IsTrue(buckets1.DistinctBy(p => p.Price) .Select(p => p.Color).SequenceEqual(new [] {"Red", "Blue" })); // Union from buckets1 and buckets2 distinct by price Assert.IsTrue(buckets1.UnionBy(buckets2, p => p.Price) .Select(p => p.Color).SequenceEqual(new[] { "Red", "Blue", "Black" })); // Unique bucket from buckets1 with a price in buckets2 Assert.IsTrue(buckets1.IntersectBy(buckets2.Select(p => p.Price), p => p.Price) .Select(p => p.Color).SequenceEqual(new[] { "Red" })); // Unique bucket from buckets1 with a price Not in buckets2 Assert.IsTrue(buckets1.ExceptBy(buckets2.Select(p => p.Price), p => p.Price) .Select(p => p.Color).SequenceEqual(new[] { "Blue"})); |
Non-enumerating Count Linq Method
Internally, the well know Count(this IEnumerable<T>)
first checks if this sequence can be casted to a ICollection<T>
. If so the ICollection<T>
Count
method can immediately return the count value. Else the Count()
method must iterate through all items in the sequence. Doing so can be a performance killer for example when iterating a sequence pointing to a database. This is why the new .NET 6 method bool TryGetNonEnumeratedCount(this IEnumerable<T> source, out int count)
only returns true when counting is cheap.
1 2 3 4 5 6 7 8 9 10 11 12 13 |
class MyCollection<T> : IEnumerable<T> { public IEnumerator<T> GetEnumerator() { throw new NotImplementedException(); } IEnumerator IEnumerable.GetEnumerator() { return GetEnumerator(); } } ... IEnumerable<int> seq1 = new[] { 0, 1, 2, 3, 4, 5 }; Assert.IsTrue(seq1.TryGetNonEnumeratedCount(out int count1)); Assert.IsTrue(count1 == 6); IEnumerable<int> seq2 = new MyCollection<int>(); Assert.IsFalse(seq2.TryGetNonEnumeratedCount(out int count2)); |
Batching a sequence
A common scenario is the need to batch a sequence into chunks of defined size. This operation is not so easy to implement since the last chunk size cannot be 0 but from 1 to defined chunk size. Hence .NET 6 introduces these 2 extensions methods:
1 2 |
public static IEnumerable<T[]> Chunk(this IEnumerable<T> source, int size); public static IQueryable<T[]> Chunk(this IQueryable<T> source, int size); |
For example:
1 2 3 4 5 |
var arr = new[] { 0, 1, 2, 3, 4, 5, 6 }; IEnumerable<int[]> chuncks = arr.Chunk(3); Assert.IsTrue(chuncks.ElementAt(0).SequenceEqual(new[] { 0, 1, 2 })); Assert.IsTrue(chuncks.ElementAt(1).SequenceEqual(new[] { 3, 4, 5 })); Assert.IsTrue(chuncks.ElementAt(2).SequenceEqual(new[] { 6 })); |
Zipping 3 sequences
Until now it was possible to zip 2 sequences. .NET 6 makes possible to zip 3 sequences thanks to these new methods:
1 2 |
public static IEnumerable<(TFirst First, TSecond Second, TThird Third)> Zip<TFirst, TSecond, TThird>(this IEnumerable<TFirst> first, IEnumerable<TSecond> second, IEnumerable<TThird> third); public static IQueryable<(TFirst First, TSecond Second, TThird Third)> Zip<TFirst, TSecond, TThird>(this IQueryable<TFirst> source1, IEnumerable<TSecond> source2, IEnumerable<TThird> source3); |
Here is an example:
1 2 3 4 5 6 7 |
var integers = Enumerable.Range(0, 4); var squares = integers.Select(i => i * i); var cubes = integers.Select(i => i * i * i); var zip = integers.Zip(squares, cubes).ToArray(); foreach ((int i, int square, int cube) in zip) { Assert.IsTrue($"{i} {square} {cube}" == $"{i} {i * i} {i * i * i}"); } |
In this proposal discussion, we can see that the team decided that it wasn’t necessary to provide higher arities than 3.
>Let’s support only three for now as four seems fairly rare.
List<T>, Stack<T>, Queue<T>, EnsureCapacity() method
A method EnsureCapacity()
has been added to List<T>
, Stack<T>
and Queue<T>
classes. Each of these collections maintain internally an array to store items. The array size is the collection capacity. Obviously the capacity gets increased when adding one or several items is provoking an array length overflow. Such array resizing operation represents a performance hit. Thus when you know the final size of a collection to be filled, you can directly ensure its capacity and avoid multiple costly array resizing operations.
1 2 3 4 5 6 7 8 9 10 11 12 |
var list = new List<int> {1, 2}; Assert.IsTrue(list.Capacity < 100); list.EnsureCapacity(100); Assert.IsTrue(list.Count == 2); Assert.IsTrue(list.Capacity == 100); list.EnsureCapacity(50); Assert.IsTrue(list.Capacity == 100); for(int i = list.Count; i < 100; i++) { list.Add(i); } Assert.IsTrue(list.Count == 100); Assert.IsTrue(list.Capacity == 100); |
New WaitAsync Methods
New Task.WaitAsync()
methods are proposed to cancel waiting for a task to complete. Let’s underline that when the time-out or the CancellationToken
expires, the task on which we wait doesn’t get cancelled. Only the wait operation gets cancelled.
1 2 3 |
public Task Task.WaitAsync(CancellationToken cancellationToken); public Task Task.WaitAsync(TimeSpan timeout); public Task Task.WaitAsync(TimeSpan timeout, CancellationToken cancellationToken) |
Conclusion
.NET 6 proposes more new API.
Actually NDepend v2021.2 (to be released after the summer) will propose a new OSS Power Tool based on NDepend.API and diff capabilities to explore new .NET 6 APIs. This tool will be easily adaptable to future new .NET versions. Here is what the power tool finds when comparing .NET 6 preview 4 against .NET 5.0.6.
Here is the list of all new public types.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 |
// <Name>New Public Types</Name> from t in Application.Types where // Avoid System.PrivateCorLib.dll and System.Runtime.dll redundancy !t.ParentAssembly.Name.Contains("Private") && t.IsPubliclyVisible && t.WasAdded() select t ---------------------------------------------------------------------- Microsoft.AspNetCore.Builder .HttpLoggingBuilderExtensions Microsoft.AspNetCore.HttpLogging .HttpLoggingFields Microsoft.AspNetCore.HttpLogging .HttpLoggingOptions Microsoft.AspNetCore.HttpLogging .MediaTypeOptions Microsoft.Extensions.DependencyInjection .HttpLoggingServicesExtensions Microsoft.AspNetCore.Http.IResult Microsoft.AspNetCore.Http.Metadata .IFromBodyMetadata Microsoft.AspNetCore.Http.Metadata .IFromHeaderMetadata Microsoft.AspNetCore.Http.Metadata .IFromQueryMetadata Microsoft.AspNetCore.Http.Metadata .IFromRouteMetadata Microsoft.AspNetCore.Http.Metadata .IFromServiceMetadata Microsoft.AspNetCore.Connections .Features.IConnectionSocketFeature Microsoft.AspNetCore.Builder .Configuration Microsoft.AspNetCore.Builder .ConfigureHostBuilder Microsoft.AspNetCore.Builder .ConfigureWebHostBuilder Microsoft.AspNetCore.Builder .WebApplication Microsoft.AspNetCore.Builder .WebApplicationBuilder Microsoft.AspNetCore.Builder .MinimalActionEndpointConventionBuilder Microsoft.AspNetCore.Builder .MinmalActionEndpointRouteBuilderExtensi ons Microsoft.JSInterop.Implementation .JSObjectReferenceJsonWorker Microsoft.AspNetCore.Mvc.RazorPages .Infrastructure .CompiledPageActionDescriptorProvider Microsoft.AspNetCore.Components .CascadingTypeParameterAttribute Microsoft.AspNetCore.Components .DynamicComponent Microsoft.AspNetCore.Components .ErrorBoundaryBase Microsoft.AspNetCore.Components .ComponentApplicationState Microsoft.AspNetCore.Components .ComponentApplicationState+OnPersistingC allback Microsoft.AspNetCore.Components.Lifetime .ComponentApplicationLifetime Microsoft.AspNetCore.Components.Lifetime .IComponentApplicationStateStore Microsoft.AspNetCore.Components.Web .ErrorBoundary Microsoft.AspNetCore.Components.Web .IErrorBoundaryLogger Microsoft.AspNetCore.Http .RequestDelegateFactory Microsoft.AspNetCore.Mvc .ApplicationParts .ConsolidatedAssemblyApplicationPartFact ory Microsoft.AspNetCore.Mvc.TagHelpers .PersistComponentStateTagHelper Microsoft.AspNetCore.Mvc.TagHelpers .PersistenceMode Microsoft.Extensions.Logging .LoggerMessageAttribute Microsoft.Extensions.Configuration .ConfigurationKeyNameAttribute Microsoft.Extensions.DependencyInjection .OptionsBuilderExtensions Microsoft.Extensions.Hosting .BackgroundServiceExceptionBehavior System.DateOnly System.ISpanFormattable System.TimeOnly System.Diagnostics .StackTraceHiddenAttribute System.Diagnostics.CodeAnalysis .RequiresAssemblyFilesAttribute System.Runtime.CompilerServices .CallConvSuppressGCTransition System.Runtime.CompilerServices .CallConvMemberFunction System.Runtime.CompilerServices .InterpolatedStringBuilder System.Runtime.CompilerServices .PoolingAsyncValueTaskMethodBuilder System.Runtime.CompilerServices .PoolingAsyncValueTaskMethodBuilder <TResult> System.Collections.Generic.Queue<T> System.Collections.Generic.Stack<T> System.Collections.Generic.PriorityQueue <TElement,TPriority> System.Collections.Generic.PriorityQueue <TElement,TPriority >+UnorderedItemsCollection System.Collections.Generic.PriorityQueue <TElement,TPriority >+UnorderedItemsCollection+Enumerator System.Diagnostics.ActivityStatusCode System.Text.Json.Node.JsonArray System.Text.Json.Node.JsonNode System.Text.Json.Node.JsonNodeOptions System.Text.Json.Node.JsonObject System.Text.Json.Node.JsonValue System.Text.Json.Serialization .JsonSerializableAttribute System.Text.Json.Serialization .JsonSerializerContext System.Text.Json.Serialization .JsonUnknownTypeHandling System.Text.Json.Serialization.Metadata .JsonMetadataServices System.Text.Json.Serialization.Metadata .JsonTypeInfo<T> System.Text.Json.Serialization.Metadata .JsonPropertyInfo System.Text.Json.Serialization.Metadata .JsonTypeInfo System.Runtime.InteropServices.CLong System.Runtime.InteropServices.CULong System.Runtime.InteropServices.NFloat System.IO.Compression.ZLibStream System.Security.Policy.Evidence System.Security.Policy.EvidenceBase System.Net.Quic .QuicClientConnectionOptions System.Net.Quic.QuicConnection System.Net.Quic .QuicConnectionAbortedException System.Net.Quic.QuicException System.Net.Quic .QuicImplementationProviders System.Net.Quic.QuicListener System.Net.Quic.QuicListenerOptions System.Net.Quic .QuicOperationAbortedException System.Net.Quic.QuicOptions System.Net.Quic.QuicStream System.Net.Quic .QuicStreamAbortedException System.Net.Quic.Implementations .QuicImplementationProvider System.Reflection.Metadata .MetadataUpdateHandlerAttribute |
Here is the list of all new public fields declared in types that already existed in .NET 5.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 |
// New Public Fields from f in Application.Fields where !f.ParentAssembly.Name.Contains("Private") && f.ParentType.IsPresentInBothBuilds() && f.IsPubliclyVisible && f.WasAdded() select f ---------------------------------------------------------------------- Microsoft.Extensions.Logging .ActivityTrackingOptions.Tags Microsoft.Extensions.Logging .ActivityTrackingOptions.Baggage Microsoft.Net.Http.Headers.HeaderNames .Baggage Microsoft.Net.Http.Headers.HeaderNames .Link Microsoft.Net.Http.Headers.HeaderNames .ProxyConnection Microsoft.Net.Http.Headers.HeaderNames .XContentTypeOptions Microsoft.Net.Http.Headers.HeaderNames .XXssProtection System.Uri.UriSchemeSftp System.Uri.UriSchemeFtps System.Uri.UriSchemeSsh System.Uri.UriSchemeTelnet System.IO.Compression.CompressionLevel .SmallestSize System.Net.HttpVersion.Version30 System.Drawing.KnownColor.RebeccaPurple System.IO.Compression.CompressionLevel .SmallestSize System.Net.HttpVersion.Version30 System.Uri.UriSchemeSftp System.Uri.UriSchemeFtps System.Uri.UriSchemeSsh System.Uri.UriSchemeTelnet System.IO.Compression.CompressionLevel .SmallestSize System.Drawing.KnownColor.RebeccaPurple System.Net.HttpVersion.Version30 System.Runtime.InteropServices .CreateObjectFlags.Aggregation System.Runtime.InteropServices .CreateObjectFlags.Unwrap System.Drawing.KnownColor.RebeccaPurple |
Here is the list of all new public methods declared in types that already existed in .NET 5.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 |
// New Public Methods from m in Application.Methods where !m.ParentAssembly.Name.Contains("Private") && m.ParentType.IsPresentInBothBuilds() && m.IsPubliclyVisible && m.WasAdded() select m ---------------------------------------------------------------------- Microsoft.Extensions.Logging .LoggerMessage.Define(LogLevel,EventId ,String,Boolean) Microsoft.Extensions.Logging .LoggerMessage.Define<T1>(LogLevel ,EventId,String,Boolean) Microsoft.Extensions.Logging .LoggerMessage.Define<T1,T2>(LogLevel ,EventId,String,Boolean) Microsoft.Extensions.Logging .LoggerMessage.Define<T1,T2,T3>(LogLevel ,EventId,String,Boolean) Microsoft.Extensions.Logging .LoggerMessage.Define<T1,T2,T3,T4> (LogLevel,EventId,String,Boolean) Microsoft.Extensions.Logging .LoggerMessage.Define<T1,T2,T3,T4,T5> (LogLevel,EventId,String,Boolean) Microsoft.Extensions.Logging .LoggerMessage.Define<T1,T2,T3,T4,T5,T6> (LogLevel,EventId,String,Boolean) Microsoft.AspNetCore.Builder .UseExtensions.Use(IApplicationBuilder ,Func<HttpContext,RequestDelegate,Task>) Microsoft.AspNetCore.Http.PathString .get_Value() Microsoft.AspNetCore.Mvc .AcceptVerbsAttribute.get_HttpMethods() Microsoft.AspNetCore.Mvc.JsonOptions .get_AllowInputFormatterExceptionMessage s() Microsoft.AspNetCore.Mvc.JsonOptions .set_AllowInputFormatterExceptionMessage s(Boolean) Microsoft.AspNetCore.Mvc.MvcOptions .get_EnableActionInvokers() Microsoft.AspNetCore.Mvc.MvcOptions .set_EnableActionInvokers(Boolean) Microsoft.AspNetCore.Mvc.Controllers .ControllerActivatorProvider .CreateAsyncReleaser (ControllerActionDescriptor) Microsoft.AspNetCore.Mvc.Controllers .IControllerActivator.ReleaseAsync (ControllerContext,Object) Microsoft.AspNetCore.Mvc.Controllers .IControllerActivatorProvider .CreateAsyncReleaser (ControllerActionDescriptor) Microsoft.AspNetCore.Mvc.Controllers .IControllerFactory .ReleaseControllerAsync (ControllerContext,Object) Microsoft.AspNetCore.Mvc.Controllers .IControllerFactoryProvider .CreateAsyncControllerReleaser (ControllerActionDescriptor) Microsoft.AspNetCore.Mvc.Routing .HttpMethodAttribute.get_HttpMethods() Microsoft.AspNetCore.SignalR.Protocol .StreamItemMessage.set_Item(Object) Microsoft.AspNetCore.Mvc.ViewComponents .DefaultViewComponentFactory .ReleaseViewComponentAsync (ViewComponentContext,Object) Microsoft.AspNetCore.Mvc.ViewComponents .IViewComponentActivator.ReleaseAsync (ViewComponentContext,Object) Microsoft.AspNetCore.Mvc.ViewComponents .IViewComponentFactory .ReleaseViewComponentAsync (ViewComponentContext,Object) Microsoft.AspNetCore.Cors.Infrastructure .CorsPolicy.get_IsOriginAllowed() Microsoft.AspNetCore.Cors.Infrastructure .CorsPolicy.set_IsOriginAllowed(Func <String,Boolean>) Microsoft.AspNetCore.Mvc.RazorPages .IPageActivatorProvider .CreateAsyncReleaser (CompiledPageActionDescriptor) Microsoft.AspNetCore.Mvc.RazorPages .IPageFactoryProvider .CreateAsyncPageDisposer (CompiledPageActionDescriptor) Microsoft.AspNetCore.Mvc.RazorPages .IPageModelActivatorProvider .CreateAsyncReleaser (CompiledPageActionDescriptor) Microsoft.AspNetCore.Mvc.RazorPages .IPageModelFactoryProvider .CreateAsyncModelDisposer (CompiledPageActionDescriptor) Microsoft.AspNetCore.Mvc.RazorPages .Infrastructure.PageLoader.LoadAsync (PageActionDescriptor ,EndpointMetadataCollection) Microsoft.AspNetCore.Components .LayoutComponentBase.SetParametersAsync (ParameterView) Microsoft.AspNetCore.Components .RenderHandle.get_IsHotReloading() Microsoft.AspNetCore.Components .RenderTree.Renderer.GetEventArgsType (UInt64) Microsoft.AspNetCore.Components .Rendering.RenderTreeBuilder.Dispose() Microsoft.AspNetCore.Components .ElementReferenceExtensions.FocusAsync (ElementReference,Boolean) Microsoft.AspNetCore.Components.Forms .InputCheckbox.get_Element() Microsoft.AspNetCore.Components.Forms .InputCheckbox.set_Element(Nullable <ElementReference>) Microsoft.AspNetCore.Components.Forms .InputDate<TValue>.get_Element() Microsoft.AspNetCore.Components.Forms .InputDate<TValue>.set_Element(Nullable <ElementReference>) Microsoft.AspNetCore.Components.Forms .InputFile.get_Element() Microsoft.AspNetCore.Components.Forms .InputFile.set_Element(Nullable <ElementReference>) Microsoft.AspNetCore.Components.Forms .InputNumber<TValue>.get_Element() Microsoft.AspNetCore.Components.Forms .InputNumber<TValue>.set_Element (Nullable<ElementReference>) Microsoft.AspNetCore.Components.Forms .InputSelect<TValue>.get_Element() Microsoft.AspNetCore.Components.Forms .InputSelect<TValue>.set_Element (Nullable<ElementReference>) Microsoft.AspNetCore.Components.Forms .InputText.get_Element() Microsoft.AspNetCore.Components.Forms .InputText.set_Element(Nullable <ElementReference>) Microsoft.AspNetCore.Components.Forms .InputTextArea.get_Element() Microsoft.AspNetCore.Components.Forms .InputTextArea.set_Element(Nullable <ElementReference>) Microsoft.AspNetCore.Components .RenderTree.WebEventDescriptor .get_EventName() Microsoft.AspNetCore.Components .RenderTree.WebEventDescriptor .set_EventName(String) Microsoft.AspNetCore.Components.Forms .DataAnnotationsValidator .OnParametersSet() Microsoft.AspNetCore.Components.Forms .DataAnnotationsValidator.Dispose (Boolean) Microsoft.AspNetCore.Components.Forms .EditContextDataAnnotationsExtensions .EnableDataAnnotationsValidation (EditContext) Microsoft.AspNetCore.Http.Features .FeatureCollection..ctor(Int32) Microsoft.Extensions.Logging .LoggerFilterOptions.get_Rules() Microsoft.Extensions.Hosting .BackgroundService.get_ExecuteTask() Microsoft.Extensions.Configuration .ConfigurationExtensions .GetRequiredSection(IConfiguration ,String) Microsoft.Extensions.Hosting .HostingHostBuilderExtensions .ConfigureDefaults(IHostBuilder,String[] ) Microsoft.Extensions.Hosting.HostOptions .get_BackgroundServiceExceptionBehavior( ) Microsoft.Extensions.Hosting.HostOptions .set_BackgroundServiceExceptionBehavior (BackgroundServiceExceptionBehavior) Microsoft.Net.Http.Headers .ContentRangeHeaderValue.get_From() Microsoft.Net.Http.Headers .ContentRangeHeaderValue.get_To() Microsoft.Net.Http.Headers .ContentRangeHeaderValue.get_Length() Microsoft.Net.Http.Headers .EntityTagHeaderValue.get_Any() Microsoft.Net.Http.Headers .MediaTypeHeaderValue.MatchesMediaType (StringSegment) System.Enum.Parse(Type,ReadOnlySpan<Char >) System.Enum.Parse(Type,ReadOnlySpan<Char >,Boolean) System.Enum.Parse<TEnum>(ReadOnlySpan <Char>) System.Enum.Parse<TEnum>(ReadOnlySpan <Char>,Boolean) System.Enum.TryParse(Type,ReadOnlySpan <Char>,Object&) System.Enum.TryParse(Type,ReadOnlySpan <Char>,Boolean,Object&) System.Enum.TryParse<TEnum>(ReadOnlySpan <Char>,TEnum&) System.Enum.TryParse<TEnum>(ReadOnlySpan <Char>,Boolean,TEnum&) System.Environment.get_ProcessPath() System.Math.SinCos(Double) System.Math.Abs(IntPtr) System.Math.DivRem(SByte,SByte) System.Math.DivRem(Byte,Byte) System.Math.DivRem(Int16,Int16) System.Math.DivRem(UInt16,UInt16) System.Math.DivRem(Int32,Int32) System.Math.DivRem(UInt32,UInt32) System.Math.DivRem(Int64,Int64) System.Math.DivRem(UInt64,UInt64) System.Math.DivRem(IntPtr,IntPtr) System.Math.DivRem(UIntPtr,UIntPtr) System.Math.Clamp(IntPtr,IntPtr,IntPtr) System.Math.Clamp(UIntPtr,UIntPtr ,UIntPtr) System.Math.Max(IntPtr,IntPtr) System.Math.Max(UIntPtr,UIntPtr) System.Math.Min(IntPtr,IntPtr) System.Math.Min(UIntPtr,UIntPtr) System.Math.ReciprocalEstimate(Double) System.Math.ReciprocalSqrtEstimate (Double) System.Math.Sign(IntPtr) System.Type.GetConstructor(BindingFlags ,Type[]) System.Type.GetMethod(String ,BindingFlags,Type[]) System.BitConverter.GetBytes(Half) System.BitConverter.TryWriteBytes(Span <Byte>,Half) System.BitConverter.ToHalf(Byte[],Int32) System.BitConverter.ToHalf(ReadOnlySpan <Byte>) System.IntPtr.TryFormat(Span<Char> ,Int32&,ReadOnlySpan<Char> ,IFormatProvider) System.IntPtr.Parse(ReadOnlySpan<Char> ,NumberStyles,IFormatProvider) System.IntPtr.TryParse(ReadOnlySpan<Char >,IntPtr&) System.IntPtr.TryParse(ReadOnlySpan<Char >,NumberStyles,IFormatProvider,IntPtr&) System.OperatingSystem.IsMacCatalyst() System.OperatingSystem .IsMacCatalystVersionAtLeast(Int32,Int32 ,Int32) System.Random.get_Shared() System.Random.NextInt64() System.Random.NextInt64(Int64) System.Random.NextInt64(Int64,Int64) System.Random.NextSingle() System.StringComparer .IsWellKnownOrdinalComparer (IEqualityComparer<String>,Boolean&) System.StringComparer .IsWellKnownCultureAwareComparer (IEqualityComparer<String>,CompareInfo& ,CompareOptions&) System.TimeZoneInfo.get_HasIanaId() System.TimeZoneInfo .TryConvertIanaIdToWindowsId(String ,String&) System.TimeZoneInfo .TryConvertWindowsIdToIanaId(String ,String&) System.TimeZoneInfo .TryConvertWindowsIdToIanaId(String ,String,String&) System.UIntPtr.TryFormat(Span<Char> ,Int32&,ReadOnlySpan<Char> ,IFormatProvider) System.UIntPtr.Parse(ReadOnlySpan<Char> ,NumberStyles,IFormatProvider) System.UIntPtr.TryParse(ReadOnlySpan <Char>,UIntPtr&) System.UIntPtr.TryParse(ReadOnlySpan <Char>,NumberStyles,IFormatProvider ,UIntPtr&) System.Collections.Concurrent .ConcurrentDictionary<TKey,TValue> .get_Comparer() System.Collections.Generic .NonRandomizedStringEqualityComparer .GetStringComparer(Object) System.Globalization.StringInfo .GetNextTextElementLength(String) System.Globalization.StringInfo .GetNextTextElementLength(String,Int32) System.Globalization.StringInfo .GetNextTextElementLength(ReadOnlySpan <Char>) System.IO.Stream.ValidateBufferArguments (Byte[],Int32,Int32) System.IO.Stream.ValidateCopyToArguments (Stream,Int32) System.IO.BinaryReader.ReadHalf() System.IO.BinaryWriter.Write(Half) System.IO.FileStream.CopyTo(Stream,Int32 ) System.Reflection.Pointer.Equals(Object) System.Reflection.Pointer.GetHashCode() System.Reflection.Emit .ConstructorBuilder.get_MetadataToken() System.Reflection.Emit.FieldBuilder .get_MetadataToken() System.Reflection.Emit .GenericTypeParameterBuilder .get_MetadataToken() System.Reflection.Emit.MethodBuilder .get_MetadataToken() System.Reflection.Emit.TypeBuilder .get_MetadataToken() System.Runtime.ExceptionServices .ExceptionDispatchInfo .SetRemoteStackTrace(Exception,String) System.Runtime.InteropServices.Marshal .InitHandle(SafeHandle,IntPtr) System.Runtime.InteropServices .SafeBuffer.ReadSpan<T>(UInt64,Span<T>) System.Runtime.InteropServices .SafeBuffer.WriteSpan<T>(UInt64 ,ReadOnlySpan<T>) System.Security.Cryptography .RandomNumberGenerator.GetBytes(Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(Byte[],Byte[] ,Int32,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Byte>,ReadOnlySpan<Byte>,Int32 ,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Byte>,ReadOnlySpan<Byte>,Span<Byte> ,Int32,HashAlgorithmName) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(String,Byte[] ,Int32,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Char>,ReadOnlySpan<Byte>,Int32 ,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Char>,ReadOnlySpan<Byte>,Span<Byte> ,Int32,HashAlgorithmName) System.Security.Cryptography .CryptoStream.ReadAsync(Memory<Byte> ,CancellationToken) System.Security.Cryptography .CryptoStream.WriteAsync(ReadOnlyMemory <Byte>,CancellationToken) System.Security.Cryptography .CryptoStream.CopyTo(Stream,Int32) System.Security.Cryptography .CryptoStream.CopyToAsync(Stream,Int32 ,CancellationToken) System.Security.Cryptography .SymmetricAlgorithm .GetCiphertextLengthEcb(Int32 ,PaddingMode) System.Security.Cryptography .SymmetricAlgorithm .GetCiphertextLengthCbc(Int32 ,PaddingMode) System.Security.Cryptography .SymmetricAlgorithm .GetCiphertextLengthCfb(Int32 ,PaddingMode,Int32) System.Threading.Thread.UnsafeStart (Object) System.Threading.Thread.UnsafeStart() System.Threading.RegisteredWaitHandle .Finalize() System.Threading.CancellationToken .Register(Action<Object ,CancellationToken>,Object) System.Threading.CancellationToken .UnsafeRegister(Action<Object ,CancellationToken>,Object) System.Threading.CancellationTokenSource .TryReset() System.Threading.Tasks.Task<TResult> .WaitAsync(CancellationToken) System.Threading.Tasks.Task<TResult> .WaitAsync(TimeSpan) System.Threading.Tasks.Task<TResult> .WaitAsync(TimeSpan,CancellationToken) System.Threading.Tasks.Task.WaitAsync (CancellationToken) System.Threading.Tasks.Task.WaitAsync (TimeSpan) System.Threading.Tasks.Task.WaitAsync (TimeSpan,CancellationToken) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IEnumerable <TSource>,Func<TSource,CancellationToken ,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IEnumerable <TSource>,CancellationToken,Func<TSource ,CancellationToken,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IEnumerable <TSource>,ParallelOptions,Func<TSource ,CancellationToken,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IAsyncEnumerable <TSource>,Func<TSource,CancellationToken ,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IAsyncEnumerable <TSource>,CancellationToken,Func<TSource ,CancellationToken,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IAsyncEnumerable <TSource>,ParallelOptions,Func<TSource ,CancellationToken,ValueTask>) System.Enum.Parse(Type,ReadOnlySpan<Char >) System.Enum.Parse(Type,ReadOnlySpan<Char >,Boolean) System.Enum.Parse<TEnum>(ReadOnlySpan <Char>) System.Enum.Parse<TEnum>(ReadOnlySpan <Char>,Boolean) System.Enum.TryParse(Type,ReadOnlySpan <Char>,Object&) System.Enum.TryParse(Type,ReadOnlySpan <Char>,Boolean,Object&) System.Enum.TryParse<TEnum>(ReadOnlySpan <Char>,TEnum&) System.Enum.TryParse<TEnum>(ReadOnlySpan <Char>,Boolean,TEnum&) System.Environment.get_ProcessPath() System.Math.SinCos(Double) System.Math.Abs(IntPtr) System.Math.DivRem(SByte,SByte) System.Math.DivRem(Byte,Byte) System.Math.DivRem(Int16,Int16) System.Math.DivRem(UInt16,UInt16) System.Math.DivRem(Int32,Int32) System.Math.DivRem(UInt32,UInt32) System.Math.DivRem(Int64,Int64) System.Math.DivRem(UInt64,UInt64) System.Math.DivRem(IntPtr,IntPtr) System.Math.DivRem(UIntPtr,UIntPtr) System.Math.Clamp(IntPtr,IntPtr,IntPtr) System.Math.Clamp(UIntPtr,UIntPtr ,UIntPtr) System.Math.Max(IntPtr,IntPtr) System.Math.Max(UIntPtr,UIntPtr) System.Math.Min(IntPtr,IntPtr) System.Math.Min(UIntPtr,UIntPtr) System.Math.ReciprocalEstimate(Double) System.Math.ReciprocalSqrtEstimate (Double) System.Math.Sign(IntPtr) System.MathF.SinCos(Single) System.MathF.ReciprocalEstimate(Single) System.MathF.ReciprocalSqrtEstimate (Single) System.Type.GetConstructor(BindingFlags ,Type[]) System.Type.GetMethod(String ,BindingFlags,Type[]) System.BitConverter.GetBytes(Half) System.BitConverter.TryWriteBytes(Span <Byte>,Half) System.BitConverter.ToHalf(Byte[],Int32) System.BitConverter.ToHalf(ReadOnlySpan <Byte>) System.IntPtr.TryFormat(Span<Char> ,Int32&,ReadOnlySpan<Char> ,IFormatProvider) System.IntPtr.Parse(ReadOnlySpan<Char> ,NumberStyles,IFormatProvider) System.IntPtr.TryParse(ReadOnlySpan<Char >,IntPtr&) System.IntPtr.TryParse(ReadOnlySpan<Char >,NumberStyles,IFormatProvider,IntPtr&) System.OperatingSystem.IsMacCatalyst() System.OperatingSystem .IsMacCatalystVersionAtLeast(Int32,Int32 ,Int32) System.Random.get_Shared() System.Random.NextInt64() System.Random.NextInt64(Int64) System.Random.NextInt64(Int64,Int64) System.Random.NextSingle() System.StringComparer .IsWellKnownOrdinalComparer (IEqualityComparer<String>,Boolean&) System.StringComparer .IsWellKnownCultureAwareComparer (IEqualityComparer<String>,CompareInfo& ,CompareOptions&) System.TimeZoneInfo.get_HasIanaId() System.TimeZoneInfo .TryConvertIanaIdToWindowsId(String ,String&) System.TimeZoneInfo .TryConvertWindowsIdToIanaId(String ,String&) System.TimeZoneInfo .TryConvertWindowsIdToIanaId(String ,String,String&) System.UIntPtr.TryFormat(Span<Char> ,Int32&,ReadOnlySpan<Char> ,IFormatProvider) System.UIntPtr.Parse(ReadOnlySpan<Char> ,NumberStyles,IFormatProvider) System.UIntPtr.TryParse(ReadOnlySpan <Char>,UIntPtr&) System.UIntPtr.TryParse(ReadOnlySpan <Char>,NumberStyles,IFormatProvider ,UIntPtr&) System.CodeDom.Compiler .IndentedTextWriter.DisposeAsync() System.CodeDom.Compiler .IndentedTextWriter.FlushAsync() System.CodeDom.Compiler .IndentedTextWriter.OutputTabsAsync() System.CodeDom.Compiler .IndentedTextWriter.WriteAsync(Char) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync(Char[] ,Int32,Int32) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync(String) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync (ReadOnlyMemory<Char>,CancellationToken) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync (StringBuilder,CancellationToken) System.CodeDom.Compiler .IndentedTextWriter.WriteLineNoTabsAsync (String) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync() System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync(Char) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (Char[],Int32,Int32) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (String) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (ReadOnlyMemory<Char>,CancellationToken) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (StringBuilder,CancellationToken) System.Globalization.StringInfo .GetNextTextElementLength(String) System.Globalization.StringInfo .GetNextTextElementLength(String,Int32) System.Globalization.StringInfo .GetNextTextElementLength(ReadOnlySpan <Char>) System.IO.Stream.ValidateBufferArguments (Byte[],Int32,Int32) System.IO.Stream.ValidateCopyToArguments (Stream,Int32) System.IO.BinaryReader.ReadHalf() System.IO.BinaryWriter.Write(Half) System.IO.FileStream.CopyTo(Stream,Int32 ) System.Numerics.BitOperations.IsPow2 (Int32) System.Numerics.BitOperations.IsPow2 (UInt32) System.Numerics.BitOperations.IsPow2 (Int64) System.Numerics.BitOperations.IsPow2 (UInt64) System.Reflection.Pointer.Equals(Object) System.Reflection.Pointer.GetHashCode() System.Runtime.ExceptionServices .ExceptionDispatchInfo .SetRemoteStackTrace(Exception,String) System.Runtime.InteropServices .SafeBuffer.ReadSpan<T>(UInt64,Span<T>) System.Runtime.InteropServices .SafeBuffer.WriteSpan<T>(UInt64 ,ReadOnlySpan<T>) System.Threading.CancellationToken .Register(Action<Object ,CancellationToken>,Object) System.Threading.CancellationToken .UnsafeRegister(Action<Object ,CancellationToken>,Object) System.Threading.CancellationTokenSource .TryReset() System.Threading.Tasks.Task<TResult> .WaitAsync(CancellationToken) System.Threading.Tasks.Task<TResult> .WaitAsync(TimeSpan) System.Threading.Tasks.Task<TResult> .WaitAsync(TimeSpan,CancellationToken) System.Threading.Tasks.Task.WaitAsync (CancellationToken) System.Threading.Tasks.Task.WaitAsync (TimeSpan) System.Threading.Tasks.Task.WaitAsync (TimeSpan,CancellationToken) System.Collections.Concurrent .ConcurrentDictionary<TKey,TValue> .get_Comparer() System.Collections.Generic.Queue<T> .EnsureCapacity(Int32) System.Collections.Generic.Stack<T> .EnsureCapacity(Int32) System.Drawing.PointF..ctor(Vector2) System.Drawing.PointF.ToVector2() System.Drawing.PointF.op_Explicit(PointF ) System.Drawing.PointF.op_Explicit (Vector2) System.Drawing.RectangleF..ctor(Vector4) System.Drawing.RectangleF.ToVector4() System.Drawing.RectangleF.op_Explicit (RectangleF) System.Drawing.RectangleF.op_Explicit (Vector4) System.Drawing.SizeF..ctor(Vector2) System.Drawing.SizeF.ToVector2() System.Drawing.SizeF.op_Explicit(Vector2 ) System.Drawing.SizeF.op_Explicit(SizeF) System.Drawing.Color.get_RebeccaPurple() System.IO.EnumerationOptions .get_MaxRecursionDepth() System.IO.EnumerationOptions .set_MaxRecursionDepth(Int32) System.Linq.Enumerable.Chunk<TSource> (IEnumerable<TSource>,Int32) System.Linq.Enumerable .TryGetNonEnumeratedCount<TSource> (IEnumerable<TSource>,Int32&) System.Linq.Enumerable.DistinctBy <TSource,TKey>(IEnumerable<TSource>,Func <TSource,TKey>) System.Linq.Enumerable.DistinctBy <TSource,TKey>(IEnumerable<TSource>,Func <TSource,TKey>,IEqualityComparer<TKey>) System.Linq.Enumerable.ElementAt<TSource >(IEnumerable<TSource>,Index) System.Linq.Enumerable .ElementAtOrDefault<TSource>(IEnumerable <TSource>,Index) System.Linq.Enumerable.ExceptBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TKey>,Func<TSource,TKey>) System.Linq.Enumerable.ExceptBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TKey>,Func<TSource,TKey> ,IEqualityComparer<TKey>) System.Linq.Enumerable.FirstOrDefault <TSource>(IEnumerable<TSource>,TSource) System.Linq.Enumerable.FirstOrDefault <TSource>(IEnumerable<TSource>,Func <TSource,Boolean>,TSource) System.Linq.Enumerable.IntersectBy <TSource,TKey>(IEnumerable<TSource> ,IEnumerable<TKey>,Func<TSource,TKey>) System.Linq.Enumerable.IntersectBy <TSource,TKey>(IEnumerable<TSource> ,IEnumerable<TKey>,Func<TSource,TKey> ,IEqualityComparer<TKey>) System.Linq.Enumerable.LastOrDefault <TSource>(IEnumerable<TSource>,TSource) System.Linq.Enumerable.LastOrDefault <TSource>(IEnumerable<TSource>,Func <TSource,Boolean>,TSource) System.Linq.Enumerable.Max<TSource> (IEnumerable<TSource>,IComparer<TSource> ) System.Linq.Enumerable.MaxBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>) System.Linq.Enumerable.MaxBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>,IComparer<TKey>) System.Linq.Enumerable.Min<TSource> (IEnumerable<TSource>,IComparer<TSource> ) System.Linq.Enumerable.MinBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>) System.Linq.Enumerable.MinBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>,IComparer<TKey>) System.Linq.Enumerable.SingleOrDefault <TSource>(IEnumerable<TSource>,TSource) System.Linq.Enumerable.SingleOrDefault <TSource>(IEnumerable<TSource>,Func <TSource,Boolean>,TSource) System.Linq.Enumerable.Take<TSource> (IEnumerable<TSource>,Range) System.Linq.Enumerable.UnionBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TSource>,Func<TSource,TKey>) System.Linq.Enumerable.UnionBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TSource>,Func<TSource,TKey> ,IEqualityComparer<TKey>) System.Linq.Enumerable.Zip<TFirst ,TSecond,TThird>(IEnumerable<TFirst> ,IEnumerable<TSecond>,IEnumerable<TThird >) System.Linq.Queryable.Take<TSource> (IQueryable<TSource>,Range) System.Linq.Queryable.DistinctBy<TSource ,TKey>(IQueryable<TSource>,Expression <Func<TSource,TKey>>) System.Linq.Queryable.DistinctBy<TSource ,TKey>(IQueryable<TSource>,Expression <Func<TSource,TKey>>,IEqualityComparer <TKey>) System.Linq.Queryable.Chunk<TSource> (IQueryable<TSource>,Int32) System.Linq.Queryable.Zip<TFirst,TSecond ,TThird>(IQueryable<TFirst>,IEnumerable <TSecond>,IEnumerable<TThird>) System.Linq.Queryable.UnionBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TSource>,Expression<Func<TSource,TKey>> ) System.Linq.Queryable.UnionBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TSource>,Expression<Func<TSource,TKey>> ,IEqualityComparer<TKey>) System.Linq.Queryable.IntersectBy <TSource,TKey>(IQueryable<TSource> ,IEnumerable<TKey>,Expression<Func <TSource,TKey>>) System.Linq.Queryable.IntersectBy <TSource,TKey>(IQueryable<TSource> ,IEnumerable<TKey>,Expression<Func <TSource,TKey>>,IEqualityComparer<TKey>) System.Linq.Queryable.ExceptBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TKey>,Expression<Func<TSource,TKey>>) System.Linq.Queryable.ExceptBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TKey>,Expression<Func<TSource,TKey>> ,IEqualityComparer<TKey>) System.Linq.Queryable.FirstOrDefault <TSource>(IQueryable<TSource>,TSource) System.Linq.Queryable.FirstOrDefault <TSource>(IQueryable<TSource>,Expression <Func<TSource,Boolean>>,TSource) System.Linq.Queryable.LastOrDefault <TSource>(IQueryable<TSource>,TSource) System.Linq.Queryable.LastOrDefault <TSource>(IQueryable<TSource>,Expression <Func<TSource,Boolean>>,TSource) System.Linq.Queryable.SingleOrDefault <TSource>(IQueryable<TSource>,TSource) System.Linq.Queryable.SingleOrDefault <TSource>(IQueryable<TSource>,Expression <Func<TSource,Boolean>>,TSource) System.Linq.Queryable.ElementAt<TSource> (IQueryable<TSource>,Index) System.Linq.Queryable.ElementAtOrDefault <TSource>(IQueryable<TSource>,Index) System.Linq.Queryable.Min<TSource> (IQueryable<TSource>,IComparer<TSource>) System.Linq.Queryable.MinBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>) System.Linq.Queryable.MinBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>,IComparer<TSource>) System.Linq.Queryable.Max<TSource> (IQueryable<TSource>,IComparer<TSource>) System.Linq.Queryable.MaxBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>) System.Linq.Queryable.MaxBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>,IComparer<TSource>) System.Net.IPAddress .get_IsIPv6UniqueLocal() System.Net.Dns.GetHostEntry(String ,AddressFamily) System.Net.Dns.GetHostEntryAsync(String ,CancellationToken) System.Net.Dns.GetHostEntryAsync(String ,AddressFamily,CancellationToken) System.Net.Dns.GetHostAddresses(String ,AddressFamily) System.Net.Dns.GetHostAddressesAsync (String,CancellationToken) System.Net.Dns.GetHostAddressesAsync (String,AddressFamily,CancellationToken) System.Net.Http.Headers .EntityTagHeaderValue.get_Any() System.Net.Sockets.SendPacketsElement. .ctor(ReadOnlyMemory<Byte>) System.Net.Sockets.SendPacketsElement. .ctor(ReadOnlyMemory<Byte>,Boolean) System.Net.Sockets.SendPacketsElement .get_MemoryBuffer() System.Net.Sockets.Socket.SendFile (String,ReadOnlySpan<Byte>,ReadOnlySpan <Byte>,TransmitFileOptions) System.Net.Sockets.Socket .ReceiveMessageFrom(Span<Byte> ,SocketFlags&,EndPoint& ,IPPacketInformation&) System.Net.Sockets.Socket.AcceptAsync() System.Net.Sockets.Socket.ReceiveAsync (ArraySegment<Byte>,SocketFlags) System.Net.Sockets.Socket.ReceiveAsync (Memory<Byte>,SocketFlags ,CancellationToken) System.Net.Sockets.Socket .ReceiveFromAsync(Memory<Byte> ,SocketFlags,EndPoint,CancellationToken) System.Net.Sockets.Socket .ReceiveMessageFromAsync(Memory<Byte> ,SocketFlags,EndPoint,CancellationToken) System.Net.Sockets.Socket.SendToAsync (ReadOnlyMemory<Byte>,SocketFlags ,EndPoint,CancellationToken) System.Net.Sockets.TcpClient .ConnectAsync(IPEndPoint) System.Net.Sockets.TcpClient .ConnectAsync(IPEndPoint ,CancellationToken) System.Security.Cryptography .ECDiffieHellmanPublicKey .TryExportSubjectPublicKeyInfo(Span<Byte >,Int32&) System.Security.Cryptography .ECDiffieHellmanPublicKey .ExportSubjectPublicKeyInfo() System.Security.Cryptography .RandomNumberGenerator.GetBytes(Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(Byte[],Byte[] ,Int32,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Byte>,ReadOnlySpan<Byte>,Int32 ,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Byte>,ReadOnlySpan<Byte>,Span<Byte> ,Int32,HashAlgorithmName) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(String,Byte[] ,Int32,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Char>,ReadOnlySpan<Byte>,Int32 ,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Char>,ReadOnlySpan<Byte>,Span<Byte> ,Int32,HashAlgorithmName) System.Security.Cryptography .CryptoStream.ReadAsync(Memory<Byte> ,CancellationToken) System.Security.Cryptography .CryptoStream.WriteAsync(ReadOnlyMemory <Byte>,CancellationToken) System.Security.Cryptography .CryptoStream.CopyTo(Stream,Int32) System.Security.Cryptography .CryptoStream.CopyToAsync(Stream,Int32 ,CancellationToken) System.Security.Cryptography .SymmetricAlgorithm .GetCiphertextLengthEcb(Int32 ,PaddingMode) System.Security.Cryptography .SymmetricAlgorithm .GetCiphertextLengthCbc(Int32 ,PaddingMode) System.Security.Cryptography .SymmetricAlgorithm .GetCiphertextLengthCfb(Int32 ,PaddingMode,Int32) System.Security.Cryptography .X509Certificates.PublicKey..ctor (AsymmetricAlgorithm) System.Security.Cryptography .X509Certificates.PublicKey .TryExportSubjectPublicKeyInfo(Span<Byte >,Int32&) System.Security.Cryptography .X509Certificates.PublicKey .ExportSubjectPublicKeyInfo() System.Security.Cryptography .X509Certificates.PublicKey .CreateFromSubjectPublicKeyInfo (ReadOnlySpan<Byte>,Int32&) System.Security.Cryptography .X509Certificates.X509Certificate2 .GetECDiffieHellmanPublicKey() System.Security.Cryptography .X509Certificates.X509Certificate2 .GetECDiffieHellmanPrivateKey() System.Security.Cryptography .X509Certificates.X509Certificate2 .CopyWithPrivateKey(ECDiffieHellman) System.Security.Cryptography .X509Certificates.X509Certificate2 .CreateFromPem(ReadOnlySpan<Char>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IEnumerable <TSource>,Func<TSource,CancellationToken ,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IEnumerable <TSource>,CancellationToken,Func<TSource ,CancellationToken,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IEnumerable <TSource>,ParallelOptions,Func<TSource ,CancellationToken,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IAsyncEnumerable <TSource>,Func<TSource,CancellationToken ,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IAsyncEnumerable <TSource>,CancellationToken,Func<TSource ,CancellationToken,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IAsyncEnumerable <TSource>,ParallelOptions,Func<TSource ,CancellationToken,ValueTask>) System.Environment.get_ProcessPath() System.Math.SinCos(Double) System.Math.Abs(IntPtr) System.Math.DivRem(SByte,SByte) System.Math.DivRem(Byte,Byte) System.Math.DivRem(Int16,Int16) System.Math.DivRem(UInt16,UInt16) System.Math.DivRem(Int32,Int32) System.Math.DivRem(UInt32,UInt32) System.Math.DivRem(Int64,Int64) System.Math.DivRem(UInt64,UInt64) System.Math.DivRem(IntPtr,IntPtr) System.Math.DivRem(UIntPtr,UIntPtr) System.Math.Clamp(IntPtr,IntPtr,IntPtr) System.Math.Clamp(UIntPtr,UIntPtr ,UIntPtr) System.Math.Max(IntPtr,IntPtr) System.Math.Max(UIntPtr,UIntPtr) System.Math.Min(IntPtr,IntPtr) System.Math.Min(UIntPtr,UIntPtr) System.Math.ReciprocalEstimate(Double) System.Math.ReciprocalSqrtEstimate (Double) System.Math.Sign(IntPtr) System.MathF.SinCos(Single) System.MathF.ReciprocalEstimate(Single) System.MathF.ReciprocalSqrtEstimate (Single) System.BitConverter.GetBytes(Half) System.BitConverter.TryWriteBytes(Span <Byte>,Half) System.BitConverter.ToHalf(Byte[],Int32) System.BitConverter.ToHalf(ReadOnlySpan <Byte>) System.OperatingSystem.IsMacCatalyst() System.OperatingSystem .IsMacCatalystVersionAtLeast(Int32,Int32 ,Int32) System.Random.get_Shared() System.Random.NextInt64() System.Random.NextInt64(Int64) System.Random.NextInt64(Int64,Int64) System.Random.NextSingle() System.StringComparer .IsWellKnownOrdinalComparer (IEqualityComparer<String>,Boolean&) System.StringComparer .IsWellKnownCultureAwareComparer (IEqualityComparer<String>,CompareInfo& ,CompareOptions&) System.CodeDom.Compiler .IndentedTextWriter.DisposeAsync() System.CodeDom.Compiler .IndentedTextWriter.FlushAsync() System.CodeDom.Compiler .IndentedTextWriter.OutputTabsAsync() System.CodeDom.Compiler .IndentedTextWriter.WriteAsync(Char) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync(Char[] ,Int32,Int32) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync(String) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync (ReadOnlyMemory<Char>,CancellationToken) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync (StringBuilder,CancellationToken) System.CodeDom.Compiler .IndentedTextWriter.WriteLineNoTabsAsync (String) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync() System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync(Char) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (Char[],Int32,Int32) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (String) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (ReadOnlyMemory<Char>,CancellationToken) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (StringBuilder,CancellationToken) System.IO.BinaryReader.ReadHalf() System.IO.BinaryWriter.Write(Half) System.Numerics.BitOperations.IsPow2 (Int32) System.Numerics.BitOperations.IsPow2 (UInt32) System.Numerics.BitOperations.IsPow2 (Int64) System.Numerics.BitOperations.IsPow2 (UInt64) System.CodeDom.Compiler .IndentedTextWriter.DisposeAsync() System.CodeDom.Compiler .IndentedTextWriter.FlushAsync() System.CodeDom.Compiler .IndentedTextWriter.OutputTabsAsync() System.CodeDom.Compiler .IndentedTextWriter.WriteAsync(Char) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync(Char[] ,Int32,Int32) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync(String) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync (ReadOnlyMemory<Char>,CancellationToken) System.CodeDom.Compiler .IndentedTextWriter.WriteAsync (StringBuilder,CancellationToken) System.CodeDom.Compiler .IndentedTextWriter.WriteLineNoTabsAsync (String) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync() System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync(Char) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (Char[],Int32,Int32) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (String) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (ReadOnlyMemory<Char>,CancellationToken) System.CodeDom.Compiler .IndentedTextWriter.WriteLineAsync (StringBuilder,CancellationToken) System.Collections.Generic.Queue<T> .EnsureCapacity(Int32) System.Collections.Generic.Stack<T> .EnsureCapacity(Int32) System.Net.IPAddress .get_IsIPv6UniqueLocal() System.Net.Dns.GetHostEntry(String ,AddressFamily) System.Net.Dns.GetHostEntryAsync(String ,CancellationToken) System.Net.Dns.GetHostEntryAsync(String ,AddressFamily,CancellationToken) System.Net.Dns.GetHostAddresses(String ,AddressFamily) System.Net.Dns.GetHostAddressesAsync (String,CancellationToken) System.Net.Dns.GetHostAddressesAsync (String,AddressFamily,CancellationToken) System.Net.Sockets.SendPacketsElement. .ctor(ReadOnlyMemory<Byte>) System.Net.Sockets.SendPacketsElement. .ctor(ReadOnlyMemory<Byte>,Boolean) System.Net.Sockets.SendPacketsElement .get_MemoryBuffer() System.Net.Sockets.Socket.SendFile (String,ReadOnlySpan<Byte>,ReadOnlySpan <Byte>,TransmitFileOptions) System.Net.Sockets.Socket .ReceiveMessageFrom(Span<Byte> ,SocketFlags&,EndPoint& ,IPPacketInformation&) System.Net.Sockets.Socket.AcceptAsync() System.Net.Sockets.Socket.ReceiveAsync (ArraySegment<Byte>,SocketFlags) System.Net.Sockets.Socket.ReceiveAsync (Memory<Byte>,SocketFlags ,CancellationToken) System.Net.Sockets.Socket .ReceiveFromAsync(Memory<Byte> ,SocketFlags,EndPoint,CancellationToken) System.Net.Sockets.Socket .ReceiveMessageFromAsync(Memory<Byte> ,SocketFlags,EndPoint,CancellationToken) System.Net.Sockets.Socket.SendToAsync (ReadOnlyMemory<Byte>,SocketFlags ,EndPoint,CancellationToken) System.Net.Sockets.TcpClient .ConnectAsync(IPEndPoint) System.Net.Sockets.TcpClient .ConnectAsync(IPEndPoint ,CancellationToken) System.Security.Cryptography .X509Certificates.PublicKey..ctor (AsymmetricAlgorithm) System.Security.Cryptography .X509Certificates.PublicKey .TryExportSubjectPublicKeyInfo(Span<Byte >,Int32&) System.Security.Cryptography .X509Certificates.PublicKey .ExportSubjectPublicKeyInfo() System.Security.Cryptography .X509Certificates.PublicKey .CreateFromSubjectPublicKeyInfo (ReadOnlySpan<Byte>,Int32&) System.Security.Cryptography .X509Certificates.X509Certificate2 .GetECDiffieHellmanPublicKey() System.Security.Cryptography .X509Certificates.X509Certificate2 .GetECDiffieHellmanPrivateKey() System.Security.Cryptography .X509Certificates.X509Certificate2 .CopyWithPrivateKey(ECDiffieHellman) System.Security.Cryptography .X509Certificates.X509Certificate2 .CreateFromPem(ReadOnlySpan<Char>) System.MemoryExtensions.SequenceEqual<T> (Span<T>,ReadOnlySpan<T> ,IEqualityComparer<T>) System.MemoryExtensions.SequenceEqual<T> (ReadOnlySpan<T>,ReadOnlySpan<T> ,IEqualityComparer<T>) System.Buffers.Binary.BinaryPrimitives .ReadHalfBigEndian(ReadOnlySpan<Byte>) System.Buffers.Binary.BinaryPrimitives .TryReadHalfBigEndian(ReadOnlySpan<Byte> ,Half&) System.Buffers.Binary.BinaryPrimitives .ReadHalfLittleEndian(ReadOnlySpan<Byte> ) System.Buffers.Binary.BinaryPrimitives .TryReadHalfLittleEndian(ReadOnlySpan <Byte>,Half&) System.Buffers.Binary.BinaryPrimitives .WriteHalfBigEndian(Span<Byte>,Half) System.Buffers.Binary.BinaryPrimitives .TryWriteHalfBigEndian(Span<Byte>,Half) System.Buffers.Binary.BinaryPrimitives .WriteHalfLittleEndian(Span<Byte>,Half) System.Buffers.Binary.BinaryPrimitives .TryWriteHalfLittleEndian(Span<Byte> ,Half) System.Runtime.InteropServices .MemoryMarshal .CreateReadOnlySpanFromNullTerminated (Char*) System.Runtime.InteropServices .MemoryMarshal .CreateReadOnlySpanFromNullTerminated (Byte*) System.Linq.Enumerable.Chunk<TSource> (IEnumerable<TSource>,Int32) System.Linq.Enumerable .TryGetNonEnumeratedCount<TSource> (IEnumerable<TSource>,Int32&) System.Linq.Enumerable.DistinctBy <TSource,TKey>(IEnumerable<TSource>,Func <TSource,TKey>) System.Linq.Enumerable.DistinctBy <TSource,TKey>(IEnumerable<TSource>,Func <TSource,TKey>,IEqualityComparer<TKey>) System.Linq.Enumerable.ElementAt<TSource >(IEnumerable<TSource>,Index) System.Linq.Enumerable .ElementAtOrDefault<TSource>(IEnumerable <TSource>,Index) System.Linq.Enumerable.ExceptBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TKey>,Func<TSource,TKey>) System.Linq.Enumerable.ExceptBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TKey>,Func<TSource,TKey> ,IEqualityComparer<TKey>) System.Linq.Enumerable.FirstOrDefault <TSource>(IEnumerable<TSource>,TSource) System.Linq.Enumerable.FirstOrDefault <TSource>(IEnumerable<TSource>,Func <TSource,Boolean>,TSource) System.Linq.Enumerable.IntersectBy <TSource,TKey>(IEnumerable<TSource> ,IEnumerable<TKey>,Func<TSource,TKey>) System.Linq.Enumerable.IntersectBy <TSource,TKey>(IEnumerable<TSource> ,IEnumerable<TKey>,Func<TSource,TKey> ,IEqualityComparer<TKey>) System.Linq.Enumerable.LastOrDefault <TSource>(IEnumerable<TSource>,TSource) System.Linq.Enumerable.LastOrDefault <TSource>(IEnumerable<TSource>,Func <TSource,Boolean>,TSource) System.Linq.Enumerable.Max<TSource> (IEnumerable<TSource>,IComparer<TSource> ) System.Linq.Enumerable.MaxBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>) System.Linq.Enumerable.MaxBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>,IComparer<TKey>) System.Linq.Enumerable.Min<TSource> (IEnumerable<TSource>,IComparer<TSource> ) System.Linq.Enumerable.MinBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>) System.Linq.Enumerable.MinBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>,IComparer<TKey>) System.Linq.Enumerable.SingleOrDefault <TSource>(IEnumerable<TSource>,TSource) System.Linq.Enumerable.SingleOrDefault <TSource>(IEnumerable<TSource>,Func <TSource,Boolean>,TSource) System.Linq.Enumerable.Take<TSource> (IEnumerable<TSource>,Range) System.Linq.Enumerable.UnionBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TSource>,Func<TSource,TKey>) System.Linq.Enumerable.UnionBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TSource>,Func<TSource,TKey> ,IEqualityComparer<TKey>) System.Linq.Enumerable.Zip<TFirst ,TSecond,TThird>(IEnumerable<TFirst> ,IEnumerable<TSecond>,IEnumerable<TThird >) System.Linq.Queryable.Take<TSource> (IQueryable<TSource>,Range) System.Linq.Queryable.DistinctBy<TSource ,TKey>(IQueryable<TSource>,Expression <Func<TSource,TKey>>) System.Linq.Queryable.DistinctBy<TSource ,TKey>(IQueryable<TSource>,Expression <Func<TSource,TKey>>,IEqualityComparer <TKey>) System.Linq.Queryable.Chunk<TSource> (IQueryable<TSource>,Int32) System.Linq.Queryable.Zip<TFirst,TSecond ,TThird>(IQueryable<TFirst>,IEnumerable <TSecond>,IEnumerable<TThird>) System.Linq.Queryable.UnionBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TSource>,Expression<Func<TSource,TKey>> ) System.Linq.Queryable.UnionBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TSource>,Expression<Func<TSource,TKey>> ,IEqualityComparer<TKey>) System.Linq.Queryable.IntersectBy <TSource,TKey>(IQueryable<TSource> ,IEnumerable<TKey>,Expression<Func <TSource,TKey>>) System.Linq.Queryable.IntersectBy <TSource,TKey>(IQueryable<TSource> ,IEnumerable<TKey>,Expression<Func <TSource,TKey>>,IEqualityComparer<TKey>) System.Linq.Queryable.ExceptBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TKey>,Expression<Func<TSource,TKey>>) System.Linq.Queryable.ExceptBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TKey>,Expression<Func<TSource,TKey>> ,IEqualityComparer<TKey>) System.Linq.Queryable.FirstOrDefault <TSource>(IQueryable<TSource>,TSource) System.Linq.Queryable.FirstOrDefault <TSource>(IQueryable<TSource>,Expression <Func<TSource,Boolean>>,TSource) System.Linq.Queryable.LastOrDefault <TSource>(IQueryable<TSource>,TSource) System.Linq.Queryable.LastOrDefault <TSource>(IQueryable<TSource>,Expression <Func<TSource,Boolean>>,TSource) System.Linq.Queryable.SingleOrDefault <TSource>(IQueryable<TSource>,TSource) System.Linq.Queryable.SingleOrDefault <TSource>(IQueryable<TSource>,Expression <Func<TSource,Boolean>>,TSource) System.Linq.Queryable.ElementAt<TSource> (IQueryable<TSource>,Index) System.Linq.Queryable.ElementAtOrDefault <TSource>(IQueryable<TSource>,Index) System.Linq.Queryable.Min<TSource> (IQueryable<TSource>,IComparer<TSource>) System.Linq.Queryable.MinBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>) System.Linq.Queryable.MinBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>,IComparer<TSource>) System.Linq.Queryable.Max<TSource> (IQueryable<TSource>,IComparer<TSource>) System.Linq.Queryable.MaxBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>) System.Linq.Queryable.MaxBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>,IComparer<TSource>) System.Security.Cryptography.CngProvider .get_MicrosoftPlatformCryptoProvider() System.Security.Cryptography .ECDiffieHellmanPublicKey .TryExportSubjectPublicKeyInfo(Span<Byte >,Int32&) System.Security.Cryptography .ECDiffieHellmanPublicKey .ExportSubjectPublicKeyInfo() System.ComponentModel.Design .ComponentDesigner.get_Component() System.Windows.Forms.Design .ControlDesigner.get_AutoResizeHandles() System.Windows.Forms.Design .ControlDesigner.set_AutoResizeHandles (Boolean) System.Windows.Forms.Design.Behavior .BehaviorService.get_Adorners() System.Net.IPAddress .get_IsIPv6UniqueLocal() System.IO.EnumerationOptions .get_MaxRecursionDepth() System.IO.EnumerationOptions .set_MaxRecursionDepth(Int32) System.DirectoryServices.ActiveDirectory .ActiveDirectoryObjectNotFoundException .get_Message() System.Net.Sockets.SendPacketsElement. .ctor(ReadOnlyMemory<Byte>) System.Net.Sockets.SendPacketsElement. .ctor(ReadOnlyMemory<Byte>,Boolean) System.Net.Sockets.SendPacketsElement .get_MemoryBuffer() System.Net.Sockets.Socket.SendFile (String,ReadOnlySpan<Byte>,ReadOnlySpan <Byte>,TransmitFileOptions) System.Net.Sockets.Socket .ReceiveMessageFrom(Span<Byte> ,SocketFlags&,EndPoint& ,IPPacketInformation&) System.Net.Sockets.Socket.AcceptAsync() System.Net.Sockets.Socket.ReceiveAsync (ArraySegment<Byte>,SocketFlags) System.Net.Sockets.Socket.ReceiveAsync (Memory<Byte>,SocketFlags ,CancellationToken) System.Net.Sockets.Socket .ReceiveFromAsync(Memory<Byte> ,SocketFlags,EndPoint,CancellationToken) System.Net.Sockets.Socket .ReceiveMessageFromAsync(Memory<Byte> ,SocketFlags,EndPoint,CancellationToken) System.Net.Sockets.Socket.SendToAsync (ReadOnlyMemory<Byte>,SocketFlags ,EndPoint,CancellationToken) System.Net.Sockets.TcpClient .ConnectAsync(IPEndPoint) System.Net.Sockets.TcpClient .ConnectAsync(IPEndPoint ,CancellationToken) System.Security.Cryptography .ECDiffieHellmanPublicKey .TryExportSubjectPublicKeyInfo(Span<Byte >,Int32&) System.Security.Cryptography .ECDiffieHellmanPublicKey .ExportSubjectPublicKeyInfo() System.Security.Cryptography .RandomNumberGenerator.GetBytes(Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(Byte[],Byte[] ,Int32,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Byte>,ReadOnlySpan<Byte>,Int32 ,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Byte>,ReadOnlySpan<Byte>,Span<Byte> ,Int32,HashAlgorithmName) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(String,Byte[] ,Int32,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Char>,ReadOnlySpan<Byte>,Int32 ,HashAlgorithmName,Int32) System.Security.Cryptography .Rfc2898DeriveBytes.Pbkdf2(ReadOnlySpan <Char>,ReadOnlySpan<Byte>,Span<Byte> ,Int32,HashAlgorithmName) System.Security.Cryptography.CngProvider .get_MicrosoftPlatformCryptoProvider() System.Text.Json.JsonElement.ParseValue (Utf8JsonReader&) System.Text.Json.JsonElement .TryParseValue(Utf8JsonReader&,Nullable <JsonElement>&) System.Text.Json.JsonSerializer .Deserialize<TValue>(ReadOnlySpan<Byte> ,JsonTypeInfo<TValue>) System.Text.Json.JsonSerializer .Deserialize(ReadOnlySpan<Byte>,Type ,JsonSerializerContext) System.Text.Json.JsonSerializer .DeserializeAsync<TValue>(Stream ,JsonTypeInfo<TValue>,CancellationToken) System.Text.Json.JsonSerializer .DeserializeAsync(Stream,Type ,JsonSerializerContext,CancellationToken ) System.Text.Json.JsonSerializer .DeserializeAsyncEnumerable<TValue> (Stream,JsonSerializerOptions ,CancellationToken) System.Text.Json.JsonSerializer .Deserialize<TValue>(ReadOnlySpan<Char> ,JsonSerializerOptions) System.Text.Json.JsonSerializer .Deserialize(ReadOnlySpan<Char>,Type ,JsonSerializerOptions) System.Text.Json.JsonSerializer .Deserialize<TValue>(String,JsonTypeInfo <TValue>) System.Text.Json.JsonSerializer .Deserialize<TValue>(ReadOnlySpan<Char> ,JsonTypeInfo<TValue>) System.Text.Json.JsonSerializer .Deserialize(String,Type ,JsonSerializerContext) System.Text.Json.JsonSerializer .Deserialize(ReadOnlySpan<Char>,Type ,JsonSerializerContext) System.Text.Json.JsonSerializer .Deserialize<TValue>(Utf8JsonReader& ,JsonTypeInfo<TValue>) System.Text.Json.JsonSerializer .Deserialize(Utf8JsonReader&,Type ,JsonSerializerContext) System.Text.Json.JsonSerializer .SerializeToUtf8Bytes<TValue>(TValue ,JsonTypeInfo<TValue>) System.Text.Json.JsonSerializer .SerializeToUtf8Bytes(Object,Type ,JsonSerializerContext) System.Text.Json.JsonSerializer .SerializeAsync<TValue>(Stream,TValue ,JsonTypeInfo<TValue>,CancellationToken) System.Text.Json.JsonSerializer .SerializeAsync(Stream,Object,Type ,JsonSerializerContext,CancellationToken ) System.Text.Json.JsonSerializer .Serialize<TValue>(TValue,JsonTypeInfo <TValue>) System.Text.Json.JsonSerializer .Serialize(Object,Type ,JsonSerializerContext) System.Text.Json.JsonSerializer .Serialize<TValue>(Utf8JsonWriter,TValue ,JsonTypeInfo<TValue>) System.Text.Json.JsonSerializer .Serialize(Utf8JsonWriter,Object,Type ,JsonSerializerContext) System.Text.Json.JsonSerializerOptions .AddContext<TContext>() System.Text.Json.JsonSerializerOptions .get_UnknownTypeHandling() System.Text.Json.JsonSerializerOptions .set_UnknownTypeHandling (JsonUnknownTypeHandling) System.Text.Json.Serialization .ReferenceHandler.get_IgnoreCycles() System.Threading.CancellationToken .Register(Action<Object ,CancellationToken>,Object) System.Threading.CancellationToken .UnsafeRegister(Action<Object ,CancellationToken>,Object) System.Threading.CancellationTokenSource .TryReset() System.Threading.Tasks.Task<TResult> .WaitAsync(CancellationToken) System.Threading.Tasks.Task<TResult> .WaitAsync(TimeSpan) System.Threading.Tasks.Task<TResult> .WaitAsync(TimeSpan,CancellationToken) System.Threading.Tasks.Task.WaitAsync (CancellationToken) System.Threading.Tasks.Task.WaitAsync (TimeSpan) System.Threading.Tasks.Task.WaitAsync (TimeSpan,CancellationToken) System.Collections.Generic.Queue<T> .EnsureCapacity(Int32) System.Collections.Generic.Stack<T> .EnsureCapacity(Int32) System.Collections.Concurrent .ConcurrentDictionary<TKey,TValue> .get_Comparer() System.Threading.Tasks.Dataflow .DataflowBlock.ReceiveAllAsync<TOutput> (IReceivableSourceBlock<TOutput> ,CancellationToken) System.Security.Cryptography .X509Certificates.PublicKey..ctor (AsymmetricAlgorithm) System.Security.Cryptography .X509Certificates.PublicKey .TryExportSubjectPublicKeyInfo(Span<Byte >,Int32&) System.Security.Cryptography .X509Certificates.PublicKey .ExportSubjectPublicKeyInfo() System.Security.Cryptography .X509Certificates.PublicKey .CreateFromSubjectPublicKeyInfo (ReadOnlySpan<Byte>,Int32&) System.Security.Cryptography .X509Certificates.X509Certificate2 .GetECDiffieHellmanPublicKey() System.Security.Cryptography .X509Certificates.X509Certificate2 .GetECDiffieHellmanPrivateKey() System.Security.Cryptography .X509Certificates.X509Certificate2 .CopyWithPrivateKey(ECDiffieHellman) System.Security.Cryptography .X509Certificates.X509Certificate2 .CreateFromPem(ReadOnlySpan<Char>) System.Net.Dns.GetHostEntry(String ,AddressFamily) System.Net.Dns.GetHostEntryAsync(String ,CancellationToken) System.Net.Dns.GetHostEntryAsync(String ,AddressFamily,CancellationToken) System.Net.Dns.GetHostAddresses(String ,AddressFamily) System.Net.Dns.GetHostAddressesAsync (String,CancellationToken) System.Net.Dns.GetHostAddressesAsync (String,AddressFamily,CancellationToken) System.Net.Http.SocketsHttpHandler .get_QuicImplementationProvider() System.Net.Http.SocketsHttpHandler .set_QuicImplementationProvider (QuicImplementationProvider) System.Net.Http.Headers .EntityTagHeaderValue.get_Any() System.Windows.Forms.ComboBox .OnMouseDown(MouseEventArgs) System.Windows.Forms.ComboBox.OnKeyUp (KeyEventArgs) System.Windows.Forms.DateTimePicker .OnEnabledChanged(EventArgs) System.Windows.Forms.FolderBrowserDialog .get_ClientGuid() System.Windows.Forms.FolderBrowserDialog .set_ClientGuid(Nullable<Guid>) System.Windows.Forms.FolderBrowserDialog .get_InitialDirectory() System.Windows.Forms.FolderBrowserDialog .set_InitialDirectory(String) System.Windows.Forms .LinkClickedEventArgs..ctor(String,Int32 ,Int32) System.Windows.Forms .LinkClickedEventArgs.get_LinkLength() System.Windows.Forms .LinkClickedEventArgs.get_LinkStart() System.Windows.Forms.ListView.OnGotFocus (EventArgs) System.Windows.Forms.ListView .OnLostFocus(EventArgs) System.Windows.Forms.RichTextBox .OnGotFocus(EventArgs) System.Windows.Forms.TabControl .OnGotFocus(EventArgs) System.Windows.Forms.TabControl .OnLostFocus(EventArgs) System.Windows.Forms.TreeView.OnGotFocus (EventArgs) System.Windows.Forms.TreeView .OnLostFocus(EventArgs) System.Windows.Forms .TreeViewCancelEventArgs.get_Node() System.Windows.Forms .TreeViewCancelEventArgs.get_Action() System.Windows.Forms.TreeViewEventArgs .get_Node() System.Windows.Forms.TreeViewEventArgs .get_Action() System.Windows.Forms .WebBrowserDocumentCompletedEventArgs .get_Url() System.Windows.Forms .WebBrowserNavigatedEventArgs.get_Url() System.Threading.EventWaitHandleAcl .OpenExisting(String ,EventWaitHandleRights) System.Threading.EventWaitHandleAcl .TryOpenExisting(String ,EventWaitHandleRights,EventWaitHandle&) System.Threading.MutexAcl.OpenExisting (String,MutexRights) System.Threading.MutexAcl .TryOpenExisting(String,MutexRights ,Mutex&) System.Threading.SemaphoreAcl .OpenExisting(String,SemaphoreRights) System.Threading.SemaphoreAcl .TryOpenExisting(String,SemaphoreRights ,Semaphore&) System.IO.Pipelines.PipeReader.Create (ReadOnlySequence<Byte>) System.IO.Pipelines .StreamPipeReaderOptions..ctor (MemoryPool<Byte>,Int32,Int32,Boolean ,Boolean) System.IO.Pipelines .StreamPipeReaderOptions .get_UseZeroByteReads() System.Threading.Thread.UnsafeStart (Object) System.Threading.Thread.UnsafeStart() System.Drawing.Graphics .get_TransformElements() System.Drawing.Graphics .set_TransformElements(Matrix3x2) System.Drawing.Graphics.GetContextInfo (PointF&) System.Drawing.Graphics.GetContextInfo (PointF&,Region&) System.Drawing.Drawing2D.Matrix..ctor (Matrix3x2) System.Drawing.Drawing2D.Matrix .get_MatrixElements() System.Drawing.Drawing2D.Matrix .set_MatrixElements(Matrix3x2) System.Drawing.Imaging.PropertyItem .get_Id() System.Drawing.Imaging.PropertyItem .set_Id(Int32) System.Drawing.Imaging.PropertyItem .get_Len() System.Drawing.Imaging.PropertyItem .set_Len(Int32) System.Drawing.Imaging.PropertyItem .get_Type() System.Drawing.Imaging.PropertyItem .set_Type(Int16) System.Drawing.Imaging.PropertyItem .get_Value() System.Drawing.Imaging.PropertyItem .set_Value(Byte[]) System.Threading.Channels.Channel .CreateBounded<T>(BoundedChannelOptions ,Action<T>) System.Security.Cryptography .CryptoStream.ReadAsync(Memory<Byte> ,CancellationToken) System.Security.Cryptography .CryptoStream.WriteAsync(ReadOnlyMemory <Byte>,CancellationToken) System.Security.Cryptography .CryptoStream.CopyTo(Stream,Int32) System.Security.Cryptography .CryptoStream.CopyToAsync(Stream,Int32 ,CancellationToken) System.Security.Cryptography .SymmetricAlgorithm .GetCiphertextLengthEcb(Int32 ,PaddingMode) System.Security.Cryptography .SymmetricAlgorithm .GetCiphertextLengthCbc(Int32 ,PaddingMode) System.Security.Cryptography .SymmetricAlgorithm .GetCiphertextLengthCfb(Int32 ,PaddingMode,Int32) System.Security.Cryptography .SafeEvpPKeyHandle..ctor() System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IEnumerable <TSource>,Func<TSource,CancellationToken ,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IEnumerable <TSource>,CancellationToken,Func<TSource ,CancellationToken,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IEnumerable <TSource>,ParallelOptions,Func<TSource ,CancellationToken,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IAsyncEnumerable <TSource>,Func<TSource,CancellationToken ,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IAsyncEnumerable <TSource>,CancellationToken,Func<TSource ,CancellationToken,ValueTask>) System.Threading.Tasks.Parallel .ForEachAsync<TSource>(IAsyncEnumerable <TSource>,ParallelOptions,Func<TSource ,CancellationToken,ValueTask>) System.Net.Http.Json .HttpClientJsonExtensions .GetFromJsonAsync(HttpClient,String,Type ,JsonSerializerContext,CancellationToken ) System.Net.Http.Json .HttpClientJsonExtensions .GetFromJsonAsync(HttpClient,Uri,Type ,JsonSerializerContext,CancellationToken ) System.Net.Http.Json .HttpClientJsonExtensions .GetFromJsonAsync<TValue>(HttpClient ,String,JsonTypeInfo<TValue> ,CancellationToken) System.Net.Http.Json .HttpClientJsonExtensions .GetFromJsonAsync<TValue>(HttpClient,Uri ,JsonTypeInfo<TValue>,CancellationToken) System.Net.Http.Json .HttpContentJsonExtensions .ReadFromJsonAsync(HttpContent,Type ,JsonSerializerContext,CancellationToken ) System.Net.Http.Json .HttpContentJsonExtensions .ReadFromJsonAsync<T>(HttpContent ,JsonTypeInfo<T>,CancellationToken) System.Linq.Queryable.Take<TSource> (IQueryable<TSource>,Range) System.Linq.Queryable.DistinctBy<TSource ,TKey>(IQueryable<TSource>,Expression <Func<TSource,TKey>>) System.Linq.Queryable.DistinctBy<TSource ,TKey>(IQueryable<TSource>,Expression <Func<TSource,TKey>>,IEqualityComparer <TKey>) System.Linq.Queryable.Chunk<TSource> (IQueryable<TSource>,Int32) System.Linq.Queryable.Zip<TFirst,TSecond ,TThird>(IQueryable<TFirst>,IEnumerable <TSecond>,IEnumerable<TThird>) System.Linq.Queryable.UnionBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TSource>,Expression<Func<TSource,TKey>> ) System.Linq.Queryable.UnionBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TSource>,Expression<Func<TSource,TKey>> ,IEqualityComparer<TKey>) System.Linq.Queryable.IntersectBy <TSource,TKey>(IQueryable<TSource> ,IEnumerable<TKey>,Expression<Func <TSource,TKey>>) System.Linq.Queryable.IntersectBy <TSource,TKey>(IQueryable<TSource> ,IEnumerable<TKey>,Expression<Func <TSource,TKey>>,IEqualityComparer<TKey>) System.Linq.Queryable.ExceptBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TKey>,Expression<Func<TSource,TKey>>) System.Linq.Queryable.ExceptBy<TSource ,TKey>(IQueryable<TSource>,IEnumerable <TKey>,Expression<Func<TSource,TKey>> ,IEqualityComparer<TKey>) System.Linq.Queryable.FirstOrDefault <TSource>(IQueryable<TSource>,TSource) System.Linq.Queryable.FirstOrDefault <TSource>(IQueryable<TSource>,Expression <Func<TSource,Boolean>>,TSource) System.Linq.Queryable.LastOrDefault <TSource>(IQueryable<TSource>,TSource) System.Linq.Queryable.LastOrDefault <TSource>(IQueryable<TSource>,Expression <Func<TSource,Boolean>>,TSource) System.Linq.Queryable.SingleOrDefault <TSource>(IQueryable<TSource>,TSource) System.Linq.Queryable.SingleOrDefault <TSource>(IQueryable<TSource>,Expression <Func<TSource,Boolean>>,TSource) System.Linq.Queryable.ElementAt<TSource> (IQueryable<TSource>,Index) System.Linq.Queryable.ElementAtOrDefault <TSource>(IQueryable<TSource>,Index) System.Linq.Queryable.Min<TSource> (IQueryable<TSource>,IComparer<TSource>) System.Linq.Queryable.MinBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>) System.Linq.Queryable.MinBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>,IComparer<TSource>) System.Linq.Queryable.Max<TSource> (IQueryable<TSource>,IComparer<TSource>) System.Linq.Queryable.MaxBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>) System.Linq.Queryable.MaxBy<TSource,TKey >(IQueryable<TSource>,Expression<Func <TSource,TKey>>,IComparer<TSource>) System.Linq.Enumerable.Chunk<TSource> (IEnumerable<TSource>,Int32) System.Linq.Enumerable .TryGetNonEnumeratedCount<TSource> (IEnumerable<TSource>,Int32&) System.Linq.Enumerable.DistinctBy <TSource,TKey>(IEnumerable<TSource>,Func <TSource,TKey>) System.Linq.Enumerable.DistinctBy <TSource,TKey>(IEnumerable<TSource>,Func <TSource,TKey>,IEqualityComparer<TKey>) System.Linq.Enumerable.ElementAt<TSource >(IEnumerable<TSource>,Index) System.Linq.Enumerable .ElementAtOrDefault<TSource>(IEnumerable <TSource>,Index) System.Linq.Enumerable.ExceptBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TKey>,Func<TSource,TKey>) System.Linq.Enumerable.ExceptBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TKey>,Func<TSource,TKey> ,IEqualityComparer<TKey>) System.Linq.Enumerable.FirstOrDefault <TSource>(IEnumerable<TSource>,TSource) System.Linq.Enumerable.FirstOrDefault <TSource>(IEnumerable<TSource>,Func <TSource,Boolean>,TSource) System.Linq.Enumerable.IntersectBy <TSource,TKey>(IEnumerable<TSource> ,IEnumerable<TKey>,Func<TSource,TKey>) System.Linq.Enumerable.IntersectBy <TSource,TKey>(IEnumerable<TSource> ,IEnumerable<TKey>,Func<TSource,TKey> ,IEqualityComparer<TKey>) System.Linq.Enumerable.LastOrDefault <TSource>(IEnumerable<TSource>,TSource) System.Linq.Enumerable.LastOrDefault <TSource>(IEnumerable<TSource>,Func <TSource,Boolean>,TSource) System.Linq.Enumerable.Max<TSource> (IEnumerable<TSource>,IComparer<TSource> ) System.Linq.Enumerable.MaxBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>) System.Linq.Enumerable.MaxBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>,IComparer<TKey>) System.Linq.Enumerable.Min<TSource> (IEnumerable<TSource>,IComparer<TSource> ) System.Linq.Enumerable.MinBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>) System.Linq.Enumerable.MinBy<TSource ,TKey>(IEnumerable<TSource>,Func<TSource ,TKey>,IComparer<TKey>) System.Linq.Enumerable.SingleOrDefault <TSource>(IEnumerable<TSource>,TSource) System.Linq.Enumerable.SingleOrDefault <TSource>(IEnumerable<TSource>,Func <TSource,Boolean>,TSource) System.Linq.Enumerable.Take<TSource> (IEnumerable<TSource>,Range) System.Linq.Enumerable.UnionBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TSource>,Func<TSource,TKey>) System.Linq.Enumerable.UnionBy<TSource ,TKey>(IEnumerable<TSource>,IEnumerable <TSource>,Func<TSource,TKey> ,IEqualityComparer<TKey>) System.Linq.Enumerable.Zip<TFirst ,TSecond,TThird>(IEnumerable<TFirst> ,IEnumerable<TSecond>,IEnumerable<TThird >) System.Drawing.PointF..ctor(Vector2) System.Drawing.PointF.ToVector2() System.Drawing.PointF.op_Explicit(PointF ) System.Drawing.PointF.op_Explicit (Vector2) System.Drawing.RectangleF..ctor(Vector4) System.Drawing.RectangleF.ToVector4() System.Drawing.RectangleF.op_Explicit (RectangleF) System.Drawing.RectangleF.op_Explicit (Vector4) System.Drawing.SizeF..ctor(Vector2) System.Drawing.SizeF.ToVector2() System.Drawing.SizeF.op_Explicit(Vector2 ) System.Drawing.SizeF.op_Explicit(SizeF) System.Drawing.Color.get_RebeccaPurple() System.Runtime.InteropServices.Marshal .InitHandle(SafeHandle,IntPtr) System.Runtime.InteropServices .ComWrappers .GetOrRegisterObjectForComInstance (IntPtr,CreateObjectFlags,Object,IntPtr) System.Runtime.InteropServices .CollectionsMarshal.GetValueRefOrNullRef <TKey,TValue>(Dictionary<TKey,TValue> ,TKey) System.Runtime.InteropServices .SafeBuffer.ReadSpan<T>(UInt64,Span<T>) System.Runtime.InteropServices .SafeBuffer.WriteSpan<T>(UInt64 ,ReadOnlySpan<T>) System.Diagnostics.Activity.get_Status() System.Diagnostics.Activity .get_StatusDescription() System.Diagnostics.Activity.SetStatus (ActivityStatusCode,String) System.Diagnostics.Activity.GetTagItem (String) System.Diagnostics.Activity.SetBaggage (String,String) System.Diagnostics.Activity .get_TraceIdGenerator() System.Diagnostics.Activity .set_TraceIdGenerator(Func <ActivityTraceId>) System.Diagnostics.ActivitySource .CreateActivity(String,ActivityKind) System.Diagnostics.ActivitySource .CreateActivity(String,ActivityKind ,ActivityContext,IEnumerable <KeyValuePair<String,Object>> ,IEnumerable<ActivityLink> ,ActivityIdFormat) System.Diagnostics.ActivitySource .CreateActivity(String,ActivityKind ,String,IEnumerable<KeyValuePair<String ,Object>>,IEnumerable<ActivityLink> ,ActivityIdFormat) System.Diagnostics.ActivitySource .StartActivity(ActivityKind ,ActivityContext,IEnumerable <KeyValuePair<String,Object>> ,IEnumerable<ActivityLink> ,DateTimeOffset,String) System.ComponentModel.Design .ComponentDesigner.get_Component() System.Windows.Forms.Design .ControlDesigner.get_AutoResizeHandles() System.Windows.Forms.Design .ControlDesigner.set_AutoResizeHandles (Boolean) System.Windows.Forms.Design.Behavior .BehaviorService.get_Adorners() System.Drawing.Graphics .get_TransformElements() System.Drawing.Graphics .set_TransformElements(Matrix3x2) System.Drawing.Graphics.GetContextInfo (PointF&) System.Drawing.Graphics.GetContextInfo (PointF&,Region&) System.Drawing.PointF..ctor(Vector2) System.Drawing.PointF.ToVector2() System.Drawing.PointF.op_Explicit(PointF ) System.Drawing.PointF.op_Explicit (Vector2) System.Drawing.RectangleF..ctor(Vector4) System.Drawing.RectangleF.ToVector4() System.Drawing.RectangleF.op_Explicit (RectangleF) System.Drawing.RectangleF.op_Explicit (Vector4) System.Drawing.SizeF..ctor(Vector2) System.Drawing.SizeF.ToVector2() System.Drawing.SizeF.op_Explicit(Vector2 ) System.Drawing.SizeF.op_Explicit(SizeF) System.Drawing.Color.get_RebeccaPurple() System.Drawing.Drawing2D.Matrix..ctor (Matrix3x2) System.Drawing.Drawing2D.Matrix .get_MatrixElements() System.Drawing.Drawing2D.Matrix .set_MatrixElements(Matrix3x2) System.Drawing.Imaging.PropertyItem .get_Id() System.Drawing.Imaging.PropertyItem .set_Id(Int32) System.Drawing.Imaging.PropertyItem .get_Len() System.Drawing.Imaging.PropertyItem .set_Len(Int32) System.Drawing.Imaging.PropertyItem .get_Type() System.Drawing.Imaging.PropertyItem .set_Type(Int16) System.Drawing.Imaging.PropertyItem .get_Value() System.Drawing.Imaging.PropertyItem .set_Value(Byte[]) System.Globalization.StringInfo .GetNextTextElementLength(String) System.Globalization.StringInfo .GetNextTextElementLength(String,Int32) System.Globalization.StringInfo .GetNextTextElementLength(ReadOnlySpan <Char>) System.Net.IPAddress .get_IsIPv6UniqueLocal() System.Net.Sockets.Socket.SendFile (String,ReadOnlySpan<Byte>,ReadOnlySpan <Byte>,TransmitFileOptions) System.Net.Sockets.Socket .ReceiveMessageFrom(Span<Byte> ,SocketFlags&,EndPoint& ,IPPacketInformation&) System.Net.Sockets.Socket.AcceptAsync() System.Net.Sockets.Socket.ReceiveAsync (ArraySegment<Byte>,SocketFlags) System.Net.Sockets.Socket.ReceiveAsync (Memory<Byte>,SocketFlags ,CancellationToken) System.Net.Sockets.Socket .ReceiveFromAsync(Memory<Byte> ,SocketFlags,EndPoint,CancellationToken) System.Net.Sockets.Socket .ReceiveMessageFromAsync(Memory<Byte> ,SocketFlags,EndPoint,CancellationToken) System.Net.Sockets.Socket.SendToAsync (ReadOnlyMemory<Byte>,SocketFlags ,EndPoint,CancellationToken) System.Numerics.Vector.As<TFrom,TTo> (Vector<TFrom>) System.Numerics.Vector2..ctor (ReadOnlySpan<Single>) System.Numerics.Vector2.CopyTo(Span <Single>) System.Numerics.Vector2.TryCopyTo(Span <Single>) System.Numerics.Vector3..ctor (ReadOnlySpan<Single>) System.Numerics.Vector3.CopyTo(Span <Single>) System.Numerics.Vector3.TryCopyTo(Span <Single>) System.Numerics.Vector4..ctor (ReadOnlySpan<Single>) System.Numerics.Vector4.CopyTo(Span <Single>) System.Numerics.Vector4.TryCopyTo(Span <Single>) System.Reflection.Emit .ConstructorBuilder.get_MetadataToken() System.Reflection.Emit.FieldBuilder .get_MetadataToken() System.Reflection.Emit .GenericTypeParameterBuilder .get_MetadataToken() System.Reflection.Emit.MethodBuilder .get_MetadataToken() System.Reflection.Emit.TypeBuilder .get_MetadataToken() System.Reflection.Metadata .AssemblyExtensions.ApplyUpdate(Assembly ,ReadOnlySpan<Byte>,ReadOnlySpan<Byte> ,ReadOnlySpan<Byte>) System.Runtime.CompilerServices.Unsafe .Add<T>(T&,UIntPtr) System.Runtime.CompilerServices.Unsafe .AddByteOffset<T>(T&,UIntPtr) System.Runtime.CompilerServices.Unsafe .Subtract<T>(T&,UIntPtr) System.Runtime.CompilerServices.Unsafe .SubtractByteOffset<T>(T&,UIntPtr) System.Threading.RegisteredWaitHandle .Finalize() |
Years ago I wrote a priority queue in VB using the sorted dictionary class as the base. It took two pages of code and supported the Ienumerable interface. Seriously lazy on the part of the framework developers.
That’s really sweet!