RSCG – mocklis

RSCG – mocklis
 
 

name mocklis
nuget https://www.nuget.org/packages/mocklis/
link https://mocklis.readthedocs.io/en/latest/getting-started/index.html
author Esbjörn Redmo

Generating mocks from classes for unit tests

 

This is how you can use mocklis .

The code that you start with is


<Project Sdk="Microsoft.NET.Sdk">

  <PropertyGroup>
    <TargetFramework>net8.0</TargetFramework>
    <ImplicitUsings>enable</ImplicitUsings>
    <Nullable>enable</Nullable>

    <IsPackable>false</IsPackable>
    <IsTestProject>true</IsTestProject>
  </PropertyGroup>

  <ItemGroup>
    <PackageReference Include="Microsoft.NET.Test.Sdk" Version="17.9.0-preview-23577-04" />
    <PackageReference Include="Mocklis" Version="1.4.0-alpha.2" />
    <PackageReference Include="MSTest.TestAdapter" Version="3.2.0-preview.23623.1" />
    <PackageReference Include="MSTest.TestFramework" Version="3.2.0-preview.23623.1" />
    <PackageReference Include="coverlet.collector" Version="6.0.0">
      <PrivateAssets>all</PrivateAssets>
      <IncludeAssets>runtime; build; native; contentfiles; analyzers; buildtransitive</IncludeAssets>
    </PackageReference>
  </ItemGroup>

  <ItemGroup>
    <ProjectReference Include="..\MockLisClock\MockLisClock.csproj" />
  </ItemGroup>
	<PropertyGroup>
		<EmitCompilerGeneratedFiles>true</EmitCompilerGeneratedFiles>
		<CompilerGeneratedFilesOutputPath>$(BaseIntermediateOutputPath)\GX</CompilerGeneratedFilesOutputPath>
	</PropertyGroup>

</Project>


The code that you will use is


namespace TestClock;

[MocklisClass]
public partial class TestMock : IMyClock
{

}



using Mocklis;

namespace TestClock;

[TestClass]
public class TestClock
{
    [TestMethod]
    public void TestMyClock()
    {
        var mockSetup = new TestMock();
        mockSetup.GetNow.Return(DateTime.Now.AddYears(-1));

        // When testing the mock like this you need to cast to the interface.
        // This is different from e.g. Moq where the mocked instance and the 'programming interface' are different things.
        // With Mocklis they are the same. The 99% case is where the mock is passed to another constructor as a dependency,
        // in which case there's an implicit cast to the interface.
        var mock = (IMyClock)mockSetup;
        var data = mock.GetNow();
        Assert.AreEqual(DateTime.Now.Year - 1, data.Year);

    }
}


global using Microsoft.VisualStudio.TestTools.UnitTesting;
global using MockTest;
global using Mocklis.Core;

 

The code that is generated is

// <auto-generated />

#nullable enable

namespace TestClock
{
    partial class TestMock
    {
        public global::Mocklis.Core.FuncMethodMock<global::System.DateTime> GetNow { get; }

        global::System.DateTime global::MockTest.IMyClock.GetNow() => GetNow.Call();

        public global::Mocklis.Core.FuncMethodMock<global::System.DateTime> GetUtcNow { get; }

        global::System.DateTime global::MockTest.IMyClock.GetUtcNow() => GetUtcNow.Call();

        public TestMock() : base()
        {
            this.GetNow = new global::Mocklis.Core.FuncMethodMock<global::System.DateTime>(this, "TestMock", "IMyClock", "GetNow", "GetNow", global::Mocklis.Core.Strictness.Lenient);
            this.GetUtcNow = new global::Mocklis.Core.FuncMethodMock<global::System.DateTime>(this, "TestMock", "IMyClock", "GetUtcNow", "GetUtcNow", global::Mocklis.Core.Strictness.Lenient);
        }
    }
}

Code and pdf at

https://ignatandrei.github.io/RSCG_Examples/v2/docs/mocklis

RSCG – RSCG_UtilityTypes

RSCG – RSCG_UtilityTypes
 
 

name RSCG_UtilityTypes
nuget https://www.nuget.org/packages/RSCG_UtilityTypes/
https://www.nuget.org/packages/RSCG_UtilityTypesCommon
link https://github.com/ignatandrei/RSCG_UtilityTypes
author Andrei Ignat

Add omit and pick to selectively generate types from existing types

 

This is how you can use RSCG_UtilityTypes .

The code that you start with is


<Project Sdk="Microsoft.NET.Sdk">

  <PropertyGroup>
    <OutputType>Exe</OutputType>
    <TargetFramework>net8.0</TargetFramework>
    <ImplicitUsings>enable</ImplicitUsings>
    <Nullable>enable</Nullable>
  </PropertyGroup>
  <ItemGroup>
	  <PackageReference Include="RSCG_UtilityTypes" Version="2023.1223.1230" OutputItemType="Analyzer" ReferenceOutputAssembly="false" />
	  <PackageReference Include="RSCG_UtilityTypesCommon" Version="2023.1223.1230" />
  </ItemGroup>
	<PropertyGroup>
		<EmitCompilerGeneratedFiles>true</EmitCompilerGeneratedFiles>
		<CompilerGeneratedFilesOutputPath>$(BaseIntermediateOutputPath)\GX</CompilerGeneratedFilesOutputPath>
	</PropertyGroup>
</Project>


The code that you will use is


using UtilDemo;

var p=new PersonFull();
p.FirstName="Andrei";
p.LastName="Ignat";
Person1 p1=(Person1)p ;
Person2 p2=(Person2)p ;
Console.WriteLine(p1.FirstName);
Console.WriteLine(p2.LastName);


using RSCG_UtilityTypesCommon;

namespace UtilDemo;
[Pick("Person1",nameof(FirstName),nameof(LastName))]
[Omit("Person2", nameof(Salary))]
public class PersonFull
{
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public int Salary { get; set; }

}


 

The code that is generated is

namespace UtilDemo
{
partial class Person1
    {
        public string FirstName { get; set; }
        public string LastName { get; set; }

public static explicit operator Person1(PersonFull data )
    {
        var ret= new Person1 ();
        ret.FirstName = data.FirstName;
ret.LastName = data.LastName;
        return ret;
    }



public static explicit operator PersonFull(Person1 data )
    {
        var ret= new PersonFull ();
        ret.FirstName = data.FirstName;
ret.LastName = data.LastName;
        return ret;
    }


}
}

namespace UtilDemo
{
partial class Person2
    {
        public string FirstName { get; set; }
        public string LastName { get; set; }

public static explicit operator Person2(PersonFull data )
    {
        var ret= new Person2 ();
        ret.FirstName = data.FirstName;
ret.LastName = data.LastName;
        return ret;
    }



public static explicit operator PersonFull(Person2 data )
    {
        var ret= new PersonFull ();
        ret.FirstName = data.FirstName;
ret.LastName = data.LastName;
        return ret;
    }


}
}

Code and pdf at

https://ignatandrei.github.io/RSCG_Examples/v2/docs/RSCG_UtilityTypes

RSCG – Ling.Audit

RSCG – Ling.Audit
 
 

name Ling.Audit
nuget https://www.nuget.org/packages/Ling.Audit/
link https://github.com/ling921/dotnet-lib/
author Jing Ling

Generating audit data from class implementation of interfaces

 

This is how you can use Ling.Audit .

The code that you start with is


<Project Sdk="Microsoft.NET.Sdk">

  <PropertyGroup>
    <OutputType>Exe</OutputType>
    <TargetFramework>net8.0</TargetFramework>
    <ImplicitUsings>enable</ImplicitUsings>
    <Nullable>enable</Nullable>
  </PropertyGroup>

  <ItemGroup>
    <PackageReference Include="Ling.Audit" Version="1.1.0" />
  </ItemGroup>
	<PropertyGroup>
		<EmitCompilerGeneratedFiles>true</EmitCompilerGeneratedFiles>
		<CompilerGeneratedFilesOutputPath>$(BaseIntermediateOutputPath)\GX</CompilerGeneratedFilesOutputPath>
	</PropertyGroup>
</Project>


The code that you will use is


// See https://aka.ms/new-console-template for more information
using LingDemo;

Console.WriteLine("Hello, World!");
var p = new Person();
await Task.Delay(2000);
p.FirstName = "Andrei";
p.LastName = "Ignat";
Console.WriteLine(p.CreationTime);
Console.WriteLine(p.LastModificationTime);


using Ling.Audit;

namespace LingDemo;
partial class Person :IFullAudited<Guid>
{
    public int ID { get; set; }
    public string FirstName { get; set; }= string.Empty;
    public string LastName { get; set; } = string.Empty;
}


 

The code that is generated is

// <auto-generated/>

#nullable enable annotations
#nullable disable warnings

namespace LingDemo
{
    partial class Person
    {
        /// <summary>
        /// Gets or sets the creation time of this entity.
        /// </summary>
        public virtual global::System.DateTimeOffset CreationTime { get; set; }
    
        /// <summary>
        /// Gets or sets the creator Id of this entity.
        /// </summary>
        public virtual global::System.Nullable<global::System.Guid> CreatorId { get; set; }
    
        /// <summary>
        /// Gets or sets the last modification time of this entity.
        /// </summary>
        public virtual global::System.Nullable<global::System.DateTimeOffset> LastModificationTime { get; set; }
    
        /// <summary>
        /// Gets or sets the last modifier Id of this entity.
        /// </summary>
        public virtual global::System.Nullable<global::System.Guid> LastModifierId { get; set; }
    
        /// <summary>
        /// Gets or sets whether this entity is soft deleted.
        /// </summary>
        public virtual global::System.Boolean IsDeleted { get; set; }
    
        /// <summary>
        /// Gets or sets the deletion time of this entity.
        /// </summary>
        public virtual global::System.Nullable<global::System.DateTimeOffset> DeletionTime { get; set; }
    
        /// <summary>
        /// Get or set the deleter Id of this entity.
        /// </summary>
        public virtual global::System.Nullable<global::System.Guid> DeleterId { get; set; }
    }
}

Code and pdf at

https://ignatandrei.github.io/RSCG_Examples/v2/docs/Ling.Audit

[2023]Nugets

  1. Accessibility:Accessibility primary interop assembly.
  2. Aigamo.ResXGenerator:ResXGenerator
    ResXGenerator is a C# source generator to generate strongly-typed resource classes for…
  3. altcover:altcover
    Instrumenting coverage tool for .net (framework 2.0+ and core) and Mono assemblies, reimpl…
  4. AMSWebAPI:RSCG_AMS
    a Roslyn Source Code Generator for About My Software
    For Web applications
    Add to the cspro…
  5. AMS_Base:RSCG_AMS
    a Roslyn Source Code Generator for About My Software
  6. AOPMethodsCommon:** C# 9.0 ONLY **      Autogenerates public methods from a class .      ( replace below single quote…
  7. AOPMethodsGenerator:** C# 9.0 ONLY **      Autogenerates public methods from a class .      ( replace below single quote…
  8. Apparatus.AOT.Reflection:Apparatus.AOT.Reflection
  9. appSettingsEditor:** C# 9.0 ONLY **      Autogenerates controller API for appsettings.json      Add 2 NUGET  reference…
  10. appSettingsEditorAPI:** C# 9.0 ONLY **      Autogenerates controller API for appsettings.json      Add 2 NUGET  reference…
  11. Argon:Json serialization library. Hard fork of Json.net.
  12. ArrayToExcel:ArrayToExcel
    Create Excel from Array (List, DataTable, DataSet, …)
    Example 1: Create with default…
  13. Asp.Versioning.Abstractions:ASP.NET API versioning gives you a powerful, but easy-to-use method for adding API versioning semant…
  14. Asp.Versioning.Http:ASP.NET API versioning gives you a powerful, but easy-to-use method for adding API versioning semant…
  15. Asp.Versioning.Mvc: Formerly Microsoft.AspNetCore.Mvc.Versioning. See the announcement.

    ASP.NET API versioning giv…

  16. Asp.Versioning.Mvc.ApiExplorer: Formerly Microsoft.AspNetCore.Mvc.Versioning.ApiExplorer. See the announcement.

    ASP.NET API ve…

  17. Aspire.Dashboard:Dashboard browser interface for .NET Aspire.
  18. Aspire.Hosting:Core API and abstractions for the .NET Aspire application model.
  19. Aspire.Microsoft.Data.SqlClient:Aspire.Microsoft.Data.SqlClient library
    Registers ‘Scoped’ Microsoft.Data.SqlClient.SqlConnection fa…
  20. Aspire.Microsoft.EntityFrameworkCore.SqlServer:Aspire.Microsoft.EntityFrameworkCore.SqlServer library
    Registers EntityFrameworkCore DbContext servi…
  21. Aspire.MySqlConnector:Aspire.MySqlConnector library
    Registers MySqlDataSource in the DI container for connecting MySQL dat…
  22. Aspire.Npgsql:Aspire.Npgsql library
    Registers NpgsqlDataSource in the DI container for connecting PostgreSQL®* dat…
  23. Aspire.StackExchange.Redis:Aspire.StackExchange.Redis library
    Registers an IConnectionMultiplexer in the DI container for conne…
  24. Aspire.StackExchange.Redis.OutputCaching:Aspire.StackExchange.Redis.OutputCaching library
    Registers an ASP.NET Core Output Caching provider b…
  25. AspNetCore.HealthChecks.MySql:MySQL Health Check
    This health check verifies the ability to communicate with a MySQL Server.
    It use…
  26. AspNetCore.HealthChecks.NpgSql:PostgreSQL Health Check
    This health check verifies the ability to communicate with PostgreSQL. It us…
  27. AspNetCore.HealthChecks.Redis:HealthChecks.Redis is the health check package for Redis.
  28. AspNetCore.HealthChecks.Sqlite:HealthChecks.Sqlite is the health check package for Sqlite.
  29. AspNetCore.HealthChecks.SqlServer:HealthChecks.SqlServer is the health check package for SqlServer.
  30. AspNetCore.HealthChecks.UI:HealthChecks.UI is a ASP.NET Core UI viewer of ASP.NET Core HealthChecks. For more information see h…
  31. AspNetCore.HealthChecks.UI.Client:HealthChecks.UI.Client contains some mandatory abstractions to work with HealthChecks.UI.
  32. AspNetCore.HealthChecks.UI.Core:HealthChecks.UI.Core package containing builder and model definitions
  33. AspNetCore.HealthChecks.UI.Data:HealthChecks.UI.Data package containing data models and database context definition
  34. AspNetCore.HealthChecks.UI.InMemory.Storage:HealthChecks.UI.InMemory.Storage package contains the required classes to use InMemory provider in t…
  35. AutoConstructor:AutoConstructor

    C# source generator that generates a constructor from readonly fields/properties…

  36. AutoCtor:AutoCtor

    AutoCtor is a Roslyn Source Generator that will automatically create a constructor for y…

  37. AutoDeconstruct:Generates deconstruction methods for type definitions.
  38. AutoDto:AutoDto
    This tool allows to auto create DTO model from BL model in compile time.
    It supports differe…
  39. AutoMapper:What is AutoMapper?
    AutoMapper is a simple little library built to solve a deceptively complex probl…
  40. AutoRegisterInject:AutoRegisterInject
    AutoRegisterInject, also referred to as ARI, is a C# source generator that will a…
  41. Aviationexam.GeneratedJsonConverters.SourceGenerator:Aviationexam.GeneratedJsonConverters.SourceGenerator
    Motivation for this library are polymorphic con…
  42. Azure.Communication.Common:Azure Communication Common client library for .NET
    This package contains common code for Azure Commu…
  43. Azure.Communication.Identity:Azure Communication Identity client library for .NET
    Azure Communication Identity is managing tokens…
  44. Azure.Core:Azure Core shared client library for .NET
    Azure.Core provides shared primitives, abstractions, and h…
  45. Azure.Identity:Azure Identity client library for .NET
    The Azure Identity library provides Microsoft Entra ID (forme…
  46. Azure.Monitor.OpenTelemetry.Exporter:Azure Monitor Exporter client library for .NET
    The OpenTelemetry .NET exporters which send telemetry…
  47. Basic.Reference.Assemblies:This package provides reference assemblies for use in Roslyn Compilation objects. This greatlysimpli…
  48. BenchmarkDotNet:Powerful .NET library for benchmarking
  49. BenchmarkDotNet.Annotations:Powerful .NET library for benchmarking
  50. BenchmarkDotNet.Diagnostics.Windows:Powerful .NET library for benchmarking (Diagnostic Tools for Windows)
  51. Benutomo.AutomaticDisposeImpl.SourceGenerator:AutomaticDisposeImpl
    C#でIDisposableとIAsyncDisposableの実装パターンに対応するメソッドを自動実装するソースジェネレータです。
    ⚠️ VisualStu…
  52. Biwen.AutoClassGen:Biwen.AutoClassGen
    Usage scenario

    In many cases, we will have a lot of request objects,
    such as Get…

  53. Biwen.AutoClassGen.Attributes:Biwen.AutoClassGen
    Usage scenario

    In many cases, we will have a lot of request objects,
    such as Get…

  54. BoilerplateFree:Remove boilerplate via source generators
  55. Boring3.FastGenericNew:FastGenericNew
    FastGenericNew is 10x times faster than Activator.CreateInstance() / new T()
    In…
  56. Breezy.SourceGenerator:Breezy is a lightweight Object-Relational Mapping (ORM) library for mapping objects using Source Gen…
  57. Buildalyzer:A utility to perform design-time builds of .NET projects without having to think too hard about it.
  58. Buildalyzer.Logger:A utility to perform design-time builds of .NET projects without having to think too hard about it.
  59. Buildalyzer.Workspaces:A utility to perform design-time builds of .NET projects without having to think too hard about it.
  60. BuilderGenerator:Builder Generator
    This is a .Net Source Generator designed to add “Builders” to your projects. Build…
  61. Castle.Core:Castle Core, including DynamicProxy, Logging Abstractions and DictionaryAdapter
  62. ClosedXML:See release notes for 0.102.0: https://github.com/ClosedXML/ClosedXML/releases/tag/0.102.0
    See relea…
  63. CommandLineParser:Terse syntax C# command line parser for .NET.  For FSharp support see CommandLineParser.FSharp.  The…
  64. Common.Logging:Common.Logging library introduces a simple abstraction to allow you to select a specific logging imp…
  65. Common.Logging.Core:Common.Logging.Core contains the portable (PCL) implementation of the Common.Logging low-level abstr…
  66. Common.Logging.NLog41:Common.Logging library bindings for NLog 4.1 logging framework.
  67. CommunityToolkit.Mvvm:This package includes a .NET MVVM library with helpers such as:      – ObservableObject: a base clas…
  68. ControllerGenerator:ControllerGenerator

    ControllerGenerator
    ControllerGenerator.Abstraction
    Action

    Thi…

  69. ControllerGenerator.Abstraction:ControllerGenerator

    ControllerGenerator
    ControllerGenerator.Abstraction
    Action

    Thi…

  70. coverlet.collector:Coverlet is a cross platform code coverage library for .NET, with support for line, branch and metho…
  71. Credfeto.Enumeration.Source.Generation:Source code generator for Enums.
  72. Cronos:A fully-featured .NET library for parsing Cron expressions and calculating next occurrences that was…
  73. CSharpier.MsBuild:CSharpier is an opinionated code formatter for c#. It uses Roslyn to parse your code and re-prints i…
  74. CsvHelper:A library for reading and writing CSV files. Extremely fast, flexible, and easy to use. Supports rea…
  75. Dapper:Dapper
    Dapper is a simple micro-ORM used to simplify working with ADO.NET; if you like SQL but disli…
  76. Dapper.Contrib:The official collection of get, insert, update and delete helpers for Dapper.net. Also handles lists…
  77. DasMulli.DataBuilderGenerator:Code generator to easily create data builder patterns for your model classes.
  78. DasMulli.DataBuilderGenerator.Attributes:Support package for DasMulli.DataBuilderGenerator, containing the [GenerateDataBuilder] attribute. D…
  79. Dazinator.Extensions.FileProviders:Dazinator.Extensions.FileProviders
  80. DeeDee:Mediator pattern using source generation for .NET
  81. Devlooped.SponsorLink:Integrate GitHub Sponsors into your libraries so that
    users can be properly linked to their sponsors…
  82. DiffEngine:Launches diff tools based on file extensions. Designed to be consumed by snapshot testing libraries.
  83. DiffPlex:DiffPlex
    DiffPlex is C# library to generate textual diffs. It targets netstandard1.0+.
    About the A…
  84. DisposableHelpers:DisposableHelpers
    Disposable helpers for IDisposable and IAsyncDisposable with source generators. Al…
  85. Disposer:Disposer
    A Source Generator package that generates extension methods for enums, to allow fast “refle…
  86. Divergic.Logging.Xunit:Introduction
    Divergic.Logging.Xunit is a NuGet package that returns an ILogger or ILogger that wr…
  87. Docker.DotNet:.NET Client for Docker Remote API
    This library allows you to interact with Docker Remote API endpoi…
  88. Docker.DotNet.X509:Docker.DotNet.X509 is a library that allows you to use certificate authentication with a remote Dock…
  89. DocumentFormat.OpenXml:The Open XML SDK provides tools for working with Office Word, Excel, and PowerPoint documents. It su…
  90. dotnet-ef:Entity Framework Core Tools for the .NET Command-Line Interface.Enables these commonly used dotnet-e…
  91. dotnet-sql-cache:Command line tool to create tables and indexes in a Microsoft SQL Server database for distributed ca…
  92. DotNet.Glob:A fast globbing library for .NET applications, including .net core. Doesn’t use Regex.
  93. DotNet.ReproducibleBuilds:Enables reproducible build settings
  94. DotNetCore.NPOI:A .NET library for reading and writing Microsoft Office binary and OOXML file formats.
  95. DotNetCore.NPOI.Core:A .NET library for reading and writing Microsoft Office binary and OOXML file formats.
  96. DotNetCore.NPOI.OpenXml4Net:A .NET library for reading and writing Microsoft Office binary and OOXML file formats.
  97. DotNetCore.NPOI.OpenXmlFormats:A .NET library for reading and writing Microsoft Office binary and OOXML file formats.
  98. Ductus.FluentDocker:FluentDocker
    This library enables docker and docker-compose interactions using a Fluent API. It is s…
  99. Dunet:Dunet

    Dunet is a simple source generator for discriminated unions in C#.
    Install

    NuGet: dotnet ad…

  100. EmbedResourceCSharp:EmbedResourceCSharp
    This is a C# Source Generator.
    This let you embed files in your application.
    You…
  101. EmptyFiles:A collection of minimal binary files.
  102. EnumClass.Generator:enum class Generator
    Summary
    Type-safe source-generated alternative to C# enum inspired by Kotlin en…
  103. envdte:A member of the Visual Studio SDK
  104. envdte100:A member of the Visual Studio SDK
  105. envdte80:A member of the Visual Studio SDK
  106. envdte90:A member of the Visual Studio SDK
  107. envdte90a:A member of the Visual Studio SDK
  108. EPPlus:EPPlus 7
    Announcement: new license model from version 5
    EPPlus has from this new major version chang…
  109. ExcelNumberFormat:.NET library to parse ECMA-376 number format strings and format values like Excel and other spreadsh…
  110. FastEndpoints:ASP.NET Minimal APIs Made Easy…
    FastEndpoints is a developer friendly alternative to Minimal APIs …
  111. FastEndpoints.Attributes:Attributes used by FastEndpoints.
  112. FastEndpoints.Messaging.Core:Core messaging interfaces used by FastEndpoints.
  113. FastEndpoints.Swagger:Swagger support for FastEndpoints.
  114. FastGenericNew.SourceGenerator:FastGenericNew V3
    The ultimate fast alternative to Activator.CreateInstance / new T()
    Features…
  115. FastStaticReflection:Use roslyn to make relection static, autogen code for type reflection
  116. FastStaticReflection.CodeGen:Use roslyn to make relection static, autogen code for type reflection
  117. FaustVX.PrimaryParameter.SG:Primary Parameter

    Description
    Using a Field, RefField, Property or DoNotUse attribute on parameter…

  118. FileBaseContext:FileBaseContext
    FileBaseContext is a provider of Entity Framework Core 8 to store database informati…
  119. FileContextCore:FileContextCore
    FileContextCore is a “Database”-Provider for Entity Framework Core and adds the ab…
  120. Fixie:Fixie
    Fixie is a .NET modern test framework similar to NUnit and xUnit, but with an emphasis on low-…
  121. Fixie.TestAdapter:Fixie
    Fixie is a .NET modern test framework similar to NUnit and xUnit, but with an emphasis on low-…
  122. FluentAssertions:A very extensive set of extension methods that allow you to more naturally specify the expected outc…
  123. FluentEmail.Core:Send emails very easily. Use razor templates, smtp, embedded files, all without hassle. This is a Ba…
  124. FluentEmail.Liquid:Generate emails using Liquid templates. Uses the Fluid project under the hood.
  125. FluentEmail.Smtp:Now we’re talking. Send emails via SMTP.
  126. FluentValidation:FluentValidation is validation library for .NET that uses a fluent interface
    and lambda expressions …
  127. FluentValidation.AspNetCore:The FluentValidation.AspNetCore package extends FluentValidation to enable automatic validation with…
  128. FluentValidation.DependencyInjectionExtensions:FluentValidation is validation library for .NET that uses a fluent interface
    and lambda expressions …
  129. Fluid.Core:

    Fractions:Introduction
    This package contains a data type to calculate with rational numbers. It supports basic…

  130. Gedaq:ORM Gedaq is roslyn generator of methods for obtaining data from databases.
  131. Gedaq.Common:Common attributes and provider required for Gedaq ORM operation. This package is included as a devel…
  132. Gedaq.DbConnection:Attributes required for Gedaq ORM operation DbConnection for all database.
  133. Gedaq.MySqlConnector:Attributes required for Gedaq ORM operation for MySqlConnector.
  134. Gedaq.Npgsql:Attributes required for Gedaq ORM operation for PostgreSQL database.
  135. Gedaq.SqlClient:Attributes required for Gedaq ORM operation for PostgreSQL database.
  136. Generator.Equals:A source code generator for automatically implementing IEquatable using only attributes.
  137. Generator.Equals.Runtime:A source code generator for automatically implementing IEquatable using only attributes.
  138. Gobie:Simple C# source generation using templates.
  139. GoLive.Generator.JsonPolymorphicGenerator:Source Code Generator for System.Text.Json JsonDerivedType attributes on polymorphic classes
  140. Google.Protobuf:Protocol Buffers v25.1
  141. Grpc.AspNetCore:Grpc.AspNetCore
    Grpc.AspNetCore is a metapackage with references to:

    Grpc.AspNetCore.Server: gRPC s…

  142. Grpc.AspNetCore.Server:Grpc.AspNetCore.Server
    Grpc.AspNetCore.Server is a gRPC server library for .NET.
    Configure gRPC
    In P…
  143. Grpc.AspNetCore.Server.ClientFactory:HttpClientFactory integration the for gRPC .NET client when running in ASP.NET Core
  144. Grpc.Core.Api:Grpc.Core.Api
    Grpc.Core.Api is the shared API package for gRPC C# and gRPC for .NET implementations …
  145. Grpc.Net.Client:Grpc.Net.Client
    Grpc.Net.Client is a gRPC client library for .NET.
    Configure gRPC client
    gRPC client…
  146. Grpc.Net.ClientFactory:Grpc.Net.ClientFactory
    gRPC integration with HttpClientFactory offers a centralized way to create gR…
  147. Grpc.Net.Common:Infrastructure for common functionality in gRPC
  148. Grpc.Tools:Grpc.Tools – Protocol Buffers/gRPC C# Code Generation Build Integration
    This package provides C# too…
  149. Hellang.Middleware.ProblemDetails:Error handling middleware, using RFC7807
  150. HtmlAgilityPack:This is an agile HTML parser that builds a read/write DOM and supports plain XPATH or XSLT (you actu…
  151. HttpClientGenerator:HttpClient AOT code generator using dotnet Roslyn source generator feature.This package was built fr…
  152. Humanizer:Humanizer meets all your .NET needs for manipulating and displaying strings, enums, dates, times, ti…
  153. Humanizer.Core:Humanizer core package that contains the library and the neutral language (English) resources
  154. Humanizer.Core.af:Humanizer Locale Afrikaans (af)
  155. Humanizer.Core.ar:Humanizer Locale Arabic (ar)
  156. Humanizer.Core.az:Humanizer Locale Azerbaijani (az)
  157. Humanizer.Core.bg:Humanizer Locale Bulgarian (bg)
  158. Humanizer.Core.bn-BD:Humanizer Locale Bangla (Bangladesh) (bn-BD)
  159. Humanizer.Core.cs:Humanizer Locale Czech (cs)
  160. Humanizer.Core.da:Humanizer Locale Danish (da)
  161. Humanizer.Core.de:Humanizer Locale German (de)
  162. Humanizer.Core.el:Humanizer Locale Greek (el)
  163. Humanizer.Core.es:Humanizer Locale Spanish (es)
  164. Humanizer.Core.fa:Humanizer Locale Persian (fa)
  165. Humanizer.Core.fi-FI:Humanizer Locale Finnish (Finland) (fi-FI)
  166. Humanizer.Core.fr:Humanizer Locale French (fr)
  167. Humanizer.Core.fr-BE:Humanizer Locale French (Belgium) (fr-BE)
  168. Humanizer.Core.he:Humanizer Locale Hebrew (he)
  169. Humanizer.Core.hr:Humanizer Locale Croatian (hr)
  170. Humanizer.Core.hu:Humanizer Locale Hungarian (hu)
  171. Humanizer.Core.hy:Humanizer Locale Armenian (hy)
  172. Humanizer.Core.id:Humanizer Locale Indonesian (id)
  173. Humanizer.Core.is:Humanizer Locale Icelandic (is)
  174. Humanizer.Core.it:Humanizer Locale Italian (it)
  175. Humanizer.Core.ja:Humanizer Locale Japanese (ja)
  176. Humanizer.Core.ko-KR:Humanizer Locale Korean (South Korea) (ko-KR)
  177. Humanizer.Core.ku:Humanizer Locale Central Kurdish (ku)
  178. Humanizer.Core.lv:Humanizer Locale Latvian (lv)
  179. Humanizer.Core.ms-MY:Humanizer Locale Malay (Malaysia) (ms-MY)
  180. Humanizer.Core.mt:Humanizer Locale Maltese (mt)
  181. Humanizer.Core.nb:Humanizer Locale Norwegian Bokmål (nb)
  182. Humanizer.Core.nb-NO:Humanizer Locale Norwegian Bokmål (Norway) (nb-NO)
  183. Humanizer.Core.nl:Humanizer Locale Dutch (nl)
  184. Humanizer.Core.pl:Humanizer Locale Polish (pl)
  185. Humanizer.Core.pt:Humanizer Locale Portuguese (pt)
  186. Humanizer.Core.ro:Humanizer Locale Romanian (ro)
  187. Humanizer.Core.ru:Humanizer Locale Russian (ru)
  188. Humanizer.Core.sk:Humanizer Locale Slovak (sk)
  189. Humanizer.Core.sl:Humanizer Locale Slovenian (sl)
  190. Humanizer.Core.sr:Humanizer Locale Serbian (sr)
  191. Humanizer.Core.sr-Latn:Humanizer Locale Serbian (sr-Latn)
  192. Humanizer.Core.sv:Humanizer Locale Swedish (sv)
  193. Humanizer.Core.th-TH:Humanizer Locale Thai (Thailand) (th-TH)
  194. Humanizer.Core.tr:Humanizer Locale Turkish (tr)
  195. Humanizer.Core.uk:Humanizer Locale Ukrainian (uk)
  196. Humanizer.Core.uz-Cyrl-UZ:Humanizer Locale Uzbek (Cyrillic, Uzbekistan) (uz-Cyrl-UZ)
  197. Humanizer.Core.uz-Latn-UZ:Humanizer Locale Uzbek (Latin, Uzbekistan) (uz-Latn-UZ)
  198. Humanizer.Core.vi:Humanizer Locale Vietnamese (vi)
  199. Humanizer.Core.zh-CN:Humanizer Locale Chinese (China) (zh-CN)
  200. Humanizer.Core.zh-Hans:Humanizer Locale Chinese (zh-Hans)
  201. Humanizer.Core.zh-Hant:Humanizer Locale Chinese (zh-Hant)
  202. Iced:iced is a blazing fast and correct x86 (16/32/64-bit) instruction decoder, disassembler and assemble…
  203. IdentityModel:OpenID Connect & OAuth 2.0 client library
  204. IdentityModel.OidcClient:RFC8252 compliant and certified OpenID Connect and OAuth 2.0 client library for native applications
  205. IDisposableGenerator:Source Generator Generating the Dispose functions in Disposables.
  206. Immutype:Immutability is easy!
  207. IndexRange:This package lets you use the C# 8.0 index and range features in projects that target .NET Framework…
  208. Injectio:Injectio
    Source generator that helps register attribute marked services in the dependency injection …
  209. Irony.Core:Package Description
  210. Irony.NetCore:Irony.NetCore is a .NET Core compatible version of the Irony framework initially developed and maint…
  211. JetBrains.Annotations:JetBrains.Annotations help reduce false positive warnings, explicitly declare purity and nullability…
  212. JetBrains.dotCover.GlobalTool:A cross-platform .NET tool for code coverage. Supported platforms:  Windows (x86 / x64 / ARM64)  Lin…
  213. JetBrains.dotMemoryUnit:dotMemory Unit is an additional unit testing framework that allows you to write tests that check cod…
  214. Jwshyns.DudNet:DudNet
    DudNet is a C# source generator for implementing a proxy pattern.
    Example
    Generating a proxy …
  215. K4os.Compression.LZ4:Port of LZ4 compression algorithm for .NET
  216. K4os.Compression.LZ4.Streams:Port of LZ4 compression algorithm for .NET
  217. K4os.Hash.xxHash:xxHash hash implementation for .NET
  218. KubernetesClient:Client library for the Kubernetes open source container orchestrator.
  219. KubernetesClient.Basic:Client library for the Kubernetes open source container orchestrator.
  220. KubernetesClient.Models:Client library for the Kubernetes open source container orchestrator.
  221. LaDeak.ProtobufSourceGenerator:A source generator that generates partial helper classes where member properties are attributed with…
  222. Lib.AspNetCore.ServerTiming:Server Timing API support for .NET

    Server Timing API provides a convenient way to communicate pe…

  223. Lib.AspNetCore.ServerTiming.Abstractions:Lib.AspNetCore.ServerTiming

    Lib.AspNetCore.ServerTiming is a library which provides Server Timing …

  224. LibGit2Sharp:LibGit2Sharp

    LibGit2Sharp brings all the might and speed of libgit2, a native Git implementation, …

  225. LibGit2Sharp.NativeBinaries:Native binaries for LibGit2Sharp
  226. LightBDD.Core:Provides LightBDD core features, including asynchronous scenario execution with execution tracking a…
  227. LightBDD.Framework:Provides LightBDD framework with common classes and features for all LightBDD integrations.High leve…
  228. LightBDD.NUnit3:Allows creating acceptance tests in developer friendly environment by offering LightBDD.Framework fe…
  229. LightBDD.XUnit2:Allows creating acceptance tests in developer friendly environment by offering LightBDD.Framework fe…
  230. Ling.Audit:Ling.Audit
    Introduction
    Ling.Audit is a source generator for audit properties.
    Installation
    You can …
  231. Lombok.NET:This library is to .NET what Lombok is to Java. It generates constructors and other fun stuff using …
  232. M31.FluentApi:Generate fluent APIs for your C# classes with ease.
  233. M31.FluentApi.Generator:The generator package for M31.FluentAPI. Don’t install this package explicitly, install M31.FluentAP…
  234. MagicMap:MagicMap
    SourceGenerator based package for generating boilerplate code like object mappers
    This is s…
  235. MapTo:MapTo

    A convention based object to object mapper using Roslyn source generator.
    MapTo is a library…

  236. Matryoshki:Matryoshki

    “Matryoshki” (Матрёшки, Matryoshkas) is a set of abstractions and C# source generators…

  237. Matryoshki.Abstractions:Matryoshki

    “Matryoshki” (Матрёшки, Matryoshkas) is a set of abstractions and C# source generators…

  238. Matryoshki.Generators:Matryoshki

    “Matryoshki” (Матрёшки, Matryoshkas) is a set of abstractions and C# source generators…

  239. McMaster.NETCore.Plugins:Provides API for dynamically loading assemblies into a .NET application.This package should be used …
  240. Mediator.Abstractions:Abstractions for the Mediator.SourceGenerator package.
  241. Mediator.SourceGenerator:A high performance .NET Mediator pattern implemenation using source generation.
  242. MediatR:Simple, unambitious mediator implementation in .NET
  243. MediatR.Contracts:Contracts package for requests, responses, and notifications
  244. MediatR.Extensions.Microsoft.DependencyInjection:MediatR extensions for ASP.NET Core
  245. MemoryPack:Zero encoding extreme performance binary serializer for C#.
  246. MemoryPack.Core:Core libraries(attribute, logics) of MemoryPack.
  247. MemoryPack.Generator:Code generator for MemoryPack.
  248. MessagePack:Extremely Fast MessagePack(MsgPack) Serializer for C# (.NET Framework, .NET 6, Unity, Xamarin).
  249. MessagePack.Annotations:Attributes and interfaces for .NET types serializable with MessagePack.
  250. MessagePipe:High performance in-memory/distributed messaging pipeline for .NET and Unity.
  251. Meziantou.Polyfill:Meziantou.Polyfill

    Source Generator that adds polyfill methods and types. This helps working with m…

  252. Microsoft.AspNetCore.Antiforgery:An antiforgery system for ASP.NET Core designed to generate and validate tokens to prevent Cross-Sit…
  253. Microsoft.AspNetCore.App.Ref:Provides a default set of APIs for building an ASP.NET Core application. Contains reference assembli…
  254. Microsoft.AspNetCore.App.Runtime.win-x64:Provides a default set of APIs for building an ASP.NET Core application. Contains assets used for se…
  255. Microsoft.AspNetCore.Authentication.Abstractions:ASP.NET Core common types used by the various authentication components.This package was built from …
  256. Microsoft.AspNetCore.Authentication.Core:ASP.NET Core common types used by the various authentication middleware components.This package was …
  257. Microsoft.AspNetCore.Authentication.JwtBearer:ASP.NET Core middleware that enables an application to receive an OpenID Connect bearer token.This p…
  258. Microsoft.AspNetCore.Authentication.Negotiate:ASP.NET Core authentication handler used to authenticate requests using Negotiate, Kerberos, or NTLM…
  259. Microsoft.AspNetCore.Authorization:ASP.NET Core authorization classes.Commonly used types:Microsoft.AspNetCore.Authorization.AllowAnony…
  260. Microsoft.AspNetCore.Authorization.Policy:ASP.NET Core authorization policy helper classes.This package was built from the source code at http…
  261. Microsoft.AspNetCore.Components:Components feature for ASP.NET Core.This package was built from the source code at https://github.co…
  262. Microsoft.AspNetCore.Components.Analyzers:Roslyn analyzers for ASP.NET Core Components.This package was built from the source code at https://…
  263. Microsoft.AspNetCore.Components.Authorization:Authentication and authorization support for Blazor applications.This package was built from the sou…
  264. Microsoft.AspNetCore.Components.Forms:Forms and validation support for Blazor applications.This package was built from the source code at …
  265. Microsoft.AspNetCore.Components.Web:Support for rendering ASP.NET Core components for browsers.This package was built from the source co…
  266. Microsoft.AspNetCore.Components.WebAssembly:Build client-side single-page applications (SPAs) with Blazor running under WebAssembly.This package…
  267. Microsoft.AspNetCore.Components.WebAssembly.Authentication:Build client-side authentication for single-page applications (SPAs).This package was built from the…
  268. Microsoft.AspNetCore.Components.WebAssembly.DevServer:Development server for use when building Blazor applications.This package was built from the source …
  269. Microsoft.AspNetCore.Components.WebAssembly.Server:Runtime server features for ASP.NET Core Blazor applications.This package was built from the source …
  270. Microsoft.AspNetCore.Connections.Abstractions:Core components of ASP.NET Core networking protocol stack.This package was built from the source cod…
  271. Microsoft.AspNetCore.Cryptography.Internal:Infrastructure for ASP.NET Core cryptographic packages. Applications and libraries should not refere…
  272. Microsoft.AspNetCore.Cryptography.KeyDerivation:ASP.NET Core utilities for key derivation.This package was built from the source code at https://git…
  273. Microsoft.AspNetCore.DataProtection:ASP.NET Core logic to protect and unprotect data, similar to DPAPI.This package was built from the s…
  274. Microsoft.AspNetCore.DataProtection.Abstractions:ASP.NET Core data protection abstractions.Commonly used types:Microsoft.AspNetCore.DataProtection.ID…
  275. Microsoft.AspNetCore.Diagnostics.Abstractions:ASP.NET Core diagnostics middleware abstractions and feature interface definitions.This package was …
  276. Microsoft.AspNetCore.Diagnostics.EntityFrameworkCore:ASP.NET Core middleware for Entity Framework Core error pages. Use this middleware to detect and dia…
  277. Microsoft.AspNetCore.Hosting.Abstractions:ASP.NET Core hosting and startup abstractions for web applications.This package was built from the s…
  278. Microsoft.AspNetCore.Hosting.Server.Abstractions:ASP.NET Core hosting server abstractions for web applications.This package was built from the source…
  279. Microsoft.AspNetCore.Html.Abstractions:ASP.NET Core HTML abstractions used for building HTML content.Commonly used types:Microsoft.AspNetCo…
  280. Microsoft.AspNetCore.Http:ASP.NET Core default HTTP feature implementations.This package was built from the source code at htt…
  281. Microsoft.AspNetCore.Http.Abstractions:ASP.NET Core HTTP object model for HTTP requests and responses and also common extension methods for…
  282. Microsoft.AspNetCore.Http.Extensions:ASP.NET Core common extension methods for HTTP abstractions, HTTP headers, HTTP request/response, an…
  283. Microsoft.AspNetCore.Http.Features:ASP.NET Core HTTP feature interface definitions.This package was built from the source code at https…
  284. Microsoft.AspNetCore.Identity.EntityFrameworkCore:ASP.NET Core Identity provider that uses Entity Framework Core.This package was built from the sourc…
  285. Microsoft.AspNetCore.JsonPatch:ASP.NET Core support for JSON PATCH.This package was built from the source code at https://github.co…
  286. Microsoft.AspNetCore.Metadata:ASP.NET Core metadata.This package was built from the source code at https://github.com/dotnet/aspne…
  287. Microsoft.AspNetCore.Mvc.Abstractions:ASP.NET Core MVC abstractions and interfaces for action invocation and dispatching, authorization, a…
  288. Microsoft.AspNetCore.Mvc.ApiExplorer:ASP.NET Core MVC API explorer functionality for discovering metadata such as the list of controllers…
  289. Microsoft.AspNetCore.Mvc.Core:ASP.NET Core MVC core components. Contains common action result types, attribute routing, applicatio…
  290. Microsoft.AspNetCore.Mvc.DataAnnotations:ASP.NET Core MVC metadata and validation system using System.ComponentModel.DataAnnotations.This pac…
  291. Microsoft.AspNetCore.Mvc.Formatters.Json:ASP.NET Core MVC formatters for JSON input and output and for JSON PATCH input using Json.NET.This p…
  292. Microsoft.AspNetCore.Mvc.Razor.Extensions:ASP.NET Core design time hosting infrastructure for the Razor view engine.This package was built fro…
  293. Microsoft.AspNetCore.Mvc.Razor.RuntimeCompilation:Runtime compilation support for Razor views and Razor Pages in ASP.NET Core MVC.This package was bui…
  294. Microsoft.AspNetCore.Mvc.Testing:Support for writing functional tests for MVC applications.This package was built from the source cod…
  295. Microsoft.AspNetCore.Mvc.Versioning: Now Asp.Versioning.Mvc. See the announcement.

    ASP.NET API versioning gives you a powerful, but…

  296. Microsoft.AspNetCore.Mvc.Versioning.ApiExplorer: Now Asp.Versioning.Mvc.ApiExplorer. See the announcement.

    ASP.NET API versioning gives you a p…

  297. Microsoft.AspNetCore.Mvc.ViewFeatures:ASP.NET Core MVC view rendering features. Contains common types used in most MVC applications as wel…
  298. Microsoft.AspNetCore.OpenApi:Provides APIs for annotating route handler endpoints in ASP.NET Core with OpenAPI annotations.This p…
  299. Microsoft.AspNetCore.OutputCaching.StackExchangeRedis:Output cache implementation of Microsoft.AspNetCore.OutputCaching.IOutputCacheStore using Redis.This…
  300. Microsoft.AspNetCore.Razor.Design:Razor is a markup syntax for adding server-side logic to web pages. This package contains MSBuild su…
  301. Microsoft.AspNetCore.Razor.Language:Razor is a markup syntax for adding server-side logic to web pages. This package contains the Razor …
  302. Microsoft.AspNetCore.ResponseCaching.Abstractions:ASP.NET Core response caching middleware abstractions and feature interface definitions.This package…
  303. Microsoft.AspNetCore.Routing:ASP.NET Core middleware for routing requests to application logic and for generating links.Commonly …
  304. Microsoft.AspNetCore.Routing.Abstractions:ASP.NET Core abstractions for routing requests to application logic and for generating links.Commonl…
  305. Microsoft.AspNetCore.StaticFiles:ASP.NET Core static files middleware. Includes middleware for serving static files, directory browsi…
  306. Microsoft.AspNetCore.TestHost:ASP.NET Core web server for writing and running tests.This package was built from the source code at…
  307. Microsoft.AspNetCore.WebUtilities:ASP.NET Core utilities, such as for working with forms, multipart messages, and query strings.This p…
  308. Microsoft.Azure.Cosmos:This client library enables client applications to connect to Azure Cosmos DB via the NoSQL API. Azu…
  309. Microsoft.Bcl.AsyncInterfaces:About
    As of C# 8, the C# language has support for producing and consuming asynchronous iterators. Th…
  310. Microsoft.Bcl.HashCode:Provides the HashCode type for .NET Standard 2.0. This package is not required starting with .NET St…
  311. Microsoft.Bcl.TimeProvider:About
    Microsoft.Bcl.TimeProvider provides time abstraction support for apps targeting .NET 7 and ear…
  312. Microsoft.Build:Microsoft.Build
    This package contains Microsoft.Build.dll, which defines MSBuild’s API, including

    M…

  313. Microsoft.Build.Framework:Microsoft.Build.Framework
    This package contains Microsoft.Build.Framework.dll, which defines fundame…
  314. Microsoft.Build.Locator:Package that assists in locating and using a copy of MSBuild installed as part of Visual Studio 2017…
  315. Microsoft.Build.Tasks.Core:Microsoft.Build.Tasks
    This package contains implementations of commonly-used MSBuild
    tasks
    that ship…
  316. Microsoft.Build.Tasks.Git:MSBuild tasks providing git repository information.
  317. Microsoft.Build.Utilities.Core:Microsoft.Build.Utilities.Core
    This package contains Microsoft.Build.Utilities.Core.dll, which defin…
  318. Microsoft.CodeAnalysis:.NET Compiler Platform (“Roslyn”).      This is the all-in-one package (a superset of all assemblies…
  319. Microsoft.CodeAnalysis.Analyzer.Testing:Roslyn Analyzer Test Framework Common Types.
  320. Microsoft.CodeAnalysis.Analyzers:Analyzers for consumers of Microsoft.CodeAnalysis NuGet package, i.e. extensions and applications bu…
  321. Microsoft.CodeAnalysis.AnalyzerUtilities:Analyzer utilities for various analyses, including Dataflow analysis based on ControlFlowGraph API i…
  322. Microsoft.CodeAnalysis.BannedApiAnalyzers:Banned API Analyzers
  323. Microsoft.CodeAnalysis.Common:A shared package used by the Microsoft .NET Compiler Platform (“Roslyn”).      Do not install this p…
  324. Microsoft.CodeAnalysis.CSharp:.NET Compiler Platform (“Roslyn”) support for C#, Microsoft.CodeAnalysis.CSharp.dll.          More d…
  325. Microsoft.CodeAnalysis.CSharp.Features:.NET Compiler Platform (“Roslyn”) support for creating C# editing experiences.          More details…
  326. Microsoft.CodeAnalysis.CSharp.Scripting:Microsoft .NET Compiler Platform (“Roslyn”) CSharp scripting package.          More details at https…
  327. Microsoft.CodeAnalysis.CSharp.SourceGenerators.Testing:Roslyn Source Generator Framework C# Types.
  328. Microsoft.CodeAnalysis.CSharp.SourceGenerators.Testing.XUnit:Roslyn Source Generator xUnit Framework C# Types.
  329. Microsoft.CodeAnalysis.CSharp.Workspaces:.NET Compiler Platform (“Roslyn”) support for analyzing C# projects and solutions.          More det…
  330. Microsoft.CodeAnalysis.Elfie:An extensible library for fast indexing of code artifacts.
  331. Microsoft.CodeAnalysis.Features:.NET Compiler Platform (“Roslyn”) support for creating editing experiences.          More details at…
  332. Microsoft.CodeAnalysis.Razor:Razor is a markup syntax for adding server-side logic to web pages. This package contains the Razor …
  333. Microsoft.CodeAnalysis.Scripting.Common:Microsoft .NET Compiler Platform (“Roslyn”) shared scripting package.      Do not install this packa…
  334. Microsoft.CodeAnalysis.SourceGenerators.Testing:Roslyn Source Generator Test Framework Common Types.
  335. Microsoft.CodeAnalysis.Testing.Verifiers.XUnit:Roslyn Test Verifiers for xUnit.
  336. Microsoft.CodeAnalysis.VisualBasic:.NET Compiler Platform (“Roslyn”) support for Visual Basic, Microsoft.CodeAnalysis.VisualBasic.dll. …
  337. Microsoft.CodeAnalysis.VisualBasic.Features:.NET Compiler Platform (“Roslyn”) support for creating Visual Basic editing experiences.          Mo…
  338. Microsoft.CodeAnalysis.VisualBasic.Workspaces:.NET Compiler Platform (“Roslyn”) support for analyzing Visual Basic projects and solutions.        …
  339. Microsoft.CodeAnalysis.Workspaces.Common:A shared package used by the .NET Compiler Platform (“Roslyn”) including support for analyzing proje…
  340. Microsoft.CodeAnalysis.Workspaces.MSBuild:.NET Compiler Platform (“Roslyn”) support for analyzing MSBuild projects and solutions. This should …
  341. Microsoft.CodeCoverage:Microsoft.CodeCoverage package brings infra for collecting code coverage from vstest.console.exe and…
  342. Microsoft.Composition:This packages provides a version of the Managed Extensibility Framework (MEF) that is lightweight an…
  343. Microsoft.CrmSdk.CoreAssemblies:This package contains the official Microsoft.Xrm.Sdk.dll and Microsoft.Crm.Sdk.Proxy.dll assemblies …
  344. Microsoft.CSharp:Provides support for compilation and code generation, including dynamic, using the C# language.Commo…
  345. Microsoft.Data.SqlClient:Provides the data provider for SQL Server. These classes provide access to versions of SQL Server an…
  346. Microsoft.Data.SqlClient.SNI.runtime:Internal implementation package not meant for direct consumption. Please do not reference directly.W…
  347. Microsoft.Data.Sqlite:Microsoft.Data.Sqlite is a lightweight ADO.NET provider for SQLite.Commonly Used Types:Microsoft.Dat…
  348. Microsoft.Data.Sqlite.Core:Microsoft.Data.Sqlite is a lightweight ADO.NET provider for SQLite. This package does not include a …
  349. Microsoft.Diagnostics.NETCore.Client:.NET Core Diagnostics Client Library
  350. Microsoft.Diagnostics.Runtime:ClrMD 3.1 Release Notes
    Major changes:

    Marked ClrObject’s constructor as [Obsolete]. This will be …

  351. Microsoft.Diagnostics.Tracing.EventSource.Redist:This package includes the class Microsoft.Diagnostics.Tracing.EventSource which enables firing ETW e…
  352. Microsoft.Diagnostics.Tracing.TraceEvent:Event Tracing for Windows (ETW) is a powerful logging mechanism built into the Windows OS and is use…
  353. Microsoft.DiaSymReader:Microsoft DiaSymReader interop interfaces and utilities.
  354. Microsoft.dotnet-interactive:Command line tool for interactive programming with C#, F#, and PowerShell, including support for Jup…
  355. Microsoft.DotNet.ILCompiler:Provides a native AOT compiler and runtime for .NET
  356. Microsoft.DotNet.InternalAbstractions:Abstractions for making code that uses file system and environment testable.
  357. Microsoft.DotNet.PlatformAbstractions:Abstractions for making code that uses file system and environment testable.
  358. Microsoft.DotNet.Scaffolding.Shared:Contains interfaces for Project Model and messaging for scaffolding.
  359. Microsoft.EntityFrameworkCore:Entity Framework Core is a modern object-database mapper for .NET. It supports LINQ queries, change …
  360. Microsoft.EntityFrameworkCore.Abstractions:Provides abstractions and attributes that are used to configure Entity Framework Core
  361. Microsoft.EntityFrameworkCore.Analyzers:CSharp Analyzers for Entity Framework Core.
  362. Microsoft.EntityFrameworkCore.Cosmos:Azure Cosmos provider for Entity Framework Core.
  363. Microsoft.EntityFrameworkCore.Design:Shared design-time components for Entity Framework Core tools.
  364. Microsoft.EntityFrameworkCore.InMemory:In-memory database provider for Entity Framework Core (to be used for testing purposes).
  365. Microsoft.EntityFrameworkCore.Relational:Shared Entity Framework Core components for relational database providers.
  366. Microsoft.EntityFrameworkCore.Relational.Design:Shared design-time Entity Framework Core components for relational database providers.
  367. Microsoft.EntityFrameworkCore.Sqlite:SQLite database provider for Entity Framework Core.
  368. Microsoft.EntityFrameworkCore.Sqlite.Core:SQLite database provider for Entity Framework Core. This package does not include a copy of the nati…
  369. Microsoft.EntityFrameworkCore.Sqlite.Design:Design-time Entity Framework Core functionality for SQLite
  370. Microsoft.EntityFrameworkCore.SqlServer:Microsoft SQL Server database provider for Entity Framework Core.
  371. Microsoft.EntityFrameworkCore.Tools:Entity Framework Core Tools for the NuGet Package Manager Console in Visual Studio.Enables these com…
  372. Microsoft.Extensions.AmbientMetadata.Application:Runtime information provider for application-level ambient metadata.
  373. Microsoft.Extensions.ApiDescription.Server:MSBuild tasks and targets for build-time Swagger and OpenApi document generationThis package was bui…
  374. Microsoft.Extensions.Caching.Memory:About
    Provides implementations for local and distributed in-memory cache. It stores and retrieves da…
  375. Microsoft.Extensions.Caching.SqlServer:Distributed cache implementation of Microsoft.Extensions.Caching.Distributed.IDistributedCache using…
  376. Microsoft.Extensions.Caching.StackExchangeRedis:Distributed cache implementation of Microsoft.Extensions.Caching.Distributed.IDistributedCache using…
  377. Microsoft.Extensions.CommandLineUtils:Command-line parsing API. Commonly used types:Microsoft.Extensions.CommandLineUtils.CommandLineAppli…
  378. Microsoft.Extensions.Compliance.Abstractions:Abstractions to help ensure compliant data management.
  379. Microsoft.Extensions.Configuration:About
    Microsoft.Extensions.Configuration is combined with a core configuration abstraction under Mic…
  380. Microsoft.Extensions.Configuration.Abstractions:About
    Provides abstractions of key-value pair based configuration. Interfaces defined in this packag…
  381. Microsoft.Extensions.Configuration.Binder:About
    Provides the functionality to bind an object to data in configuration providers for Microsoft….
  382. Microsoft.Extensions.Configuration.CommandLine:About
    Command line configuration provider implementation for Microsoft.Extensions.Configuration. Thi…
  383. Microsoft.Extensions.Configuration.EnvironmentVariables:About
    Environment variables configuration provider implementation for Microsoft.Extensions.Configura…
  384. Microsoft.Extensions.Configuration.FileExtensions:About
    Provides a base class for file-based configuration providers used with Microsoft.Extensions.Co…
  385. Microsoft.Extensions.Configuration.Json:About
    JSON configuration provider implementation for Microsoft.Extensions.Configuration. This packag…
  386. Microsoft.Extensions.Configuration.UserSecrets:About
    User secrets configuration provider implementation for Microsoft.Extensions.Configuration. Use…
  387. Microsoft.Extensions.DependencyInjection:About
    Supports the dependency injection (DI) software design pattern which is a technique for achiev…
  388. Microsoft.Extensions.DependencyInjection.Abstractions:About
    Supports the lower-level abstractions for the dependency injection (DI) software design patter…
  389. Microsoft.Extensions.DependencyInjection.AutoActivation:Extensions to auto-activate registered singletons in the dependency injection system.
  390. Microsoft.Extensions.DependencyModel:About
    Provides abstractions for reading .deps files. When a .NET application is compiled, the SDK ge…
  391. Microsoft.Extensions.DiagnosticAdapter:Microsoft extension adapter feature to extend DiagnosticListener. Contains extension methods that ex…
  392. Microsoft.Extensions.Diagnostics:This package includes the default implementation of IMeterFactory and additional extension methods t…
  393. Microsoft.Extensions.Diagnostics.Abstractions:Diagnostic abstractions for Microsoft.Extensions.Diagnostics.Commonly Used Types:Microsoft.Extension…
  394. Microsoft.Extensions.Diagnostics.ExceptionSummarization:Lets you retrieve exception summary information.
  395. Microsoft.Extensions.Diagnostics.HealthChecks:Components for performing health checks in .NET applicationsCommonly Used Types:Microsoft.Extensions…
  396. Microsoft.Extensions.Diagnostics.HealthChecks.Abstractions:Abstractions for defining health checks in .NET applicationsCommonly Used TypesMicrosoft.Extensions….
  397. Microsoft.Extensions.Diagnostics.HealthChecks.EntityFrameworkCore:Components for performing health checks using EntityFrameworkCore.    This package was built from th…
  398. Microsoft.Extensions.Features:Provides abstractions for a loosly coupled collection of features.Commonly Used Types:Microsoft.AspN…
  399. Microsoft.Extensions.FileProviders.Abstractions:About
    Serves as the foundation for creating file providers in .NET, offering core abstractions to de…
  400. Microsoft.Extensions.FileProviders.Embedded:File provider for files in embedded resources for Microsoft.Extensions.FileProviders.This package wa…
  401. Microsoft.Extensions.FileProviders.Physical:About
    Provides an implementation of a physical file provider, facilitating file access and monitorin…
  402. Microsoft.Extensions.FileSystemGlobbing:About
    Provides support for matching file system names/paths using glob patterns.
    Key Features

    Conta…

  403. Microsoft.Extensions.Hosting:About
    Contains the .NET Generic Host HostBuilder which layers on the Microsoft.Extensions.Hosting.Ab…
  404. Microsoft.Extensions.Hosting.Abstractions:About
    Contains abstractions to host user code in an application by encapsulating an application’s re…
  405. Microsoft.Extensions.Hosting.WindowsServices:About
    Supports using Windows Services with the hosting infrastructure.
    Key Features

    Can configure a…

  406. Microsoft.Extensions.Http:About
    Microsoft.Extensions.Http package provides AddHttpClient extension methods for IServiceCollect…
  407. Microsoft.Extensions.Http.Diagnostics:Telemetry support for HTTP Client.
  408. Microsoft.Extensions.Http.Resilience:Resilience mechanisms for HttpClient.
  409. Microsoft.Extensions.Identity.Core:ASP.NET Core Identity is the membership system for building ASP.NET Core web applications, including…
  410. Microsoft.Extensions.Identity.Stores:ASP.NET Core Identity is the membership system for building ASP.NET Core web applications, including…
  411. Microsoft.Extensions.Localization:Application localization services and default implementation based on ResourceManager to load locali…
  412. Microsoft.Extensions.Localization.Abstractions:Abstractions of application localization services.Commonly used types:Microsoft.Extensions.Localizat…
  413. Microsoft.Extensions.Logging:About
    Microsoft.Extensions.Logging is combined with a core logging abstraction under Microsoft.Exten…
  414. Microsoft.Extensions.Logging.Abstractions:About
    Microsoft.Extensions.Logging.Abstractions provides abstractions of logging. Interfaces defined…
  415. Microsoft.Extensions.Logging.Configuration:Configuration support for Microsoft.Extensions.Logging.
  416. Microsoft.Extensions.Logging.Console:About
    Microsoft.Extensions.Logging.Console provides a Console logger provider implementation for Mic…
  417. Microsoft.Extensions.Logging.Debug:About
    Microsoft.Extensions.Logging.Debug provides a Debug output logger provider implementation for …
  418. Microsoft.Extensions.Logging.EventLog:Windows Event Log logger provider implementation for Microsoft.Extensions.Logging.
  419. Microsoft.Extensions.Logging.EventSource:EventSource/EventListener logger provider implementation for Microsoft.Extensions.Logging.
  420. Microsoft.Extensions.ObjectPool:A simple object pool implementation.This package was built from the source code at https://github.co…
  421. Microsoft.Extensions.Options:About
    Microsoft.Extensions.Options provides a strongly typed way of specifying and accessing setting…
  422. Microsoft.Extensions.Options.ConfigurationExtensions:About
    Microsoft.Extensions.Options.ConfigurationExtensions provides additional configuration-specifi…
  423. Microsoft.Extensions.PlatformAbstractions:Abstractions that unify behavior and API across .NET Framework, .NET Core and Mono
  424. Microsoft.Extensions.Primitives:About
    Microsoft.Extensions.Primitives contains isolated types that are used in many places within co…
  425. Microsoft.Extensions.Resilience:Extensions to the Polly libraries to enrich telemetry with metadata and exception summaries.
  426. Microsoft.Extensions.ServiceDiscovery:Microsoft.Extensions.ServiceDiscovery
    The Microsoft.Extensions.ServiceDiscovery library is designed …
  427. Microsoft.Extensions.ServiceDiscovery.Abstractions:Microsoft.Extensions.ServiceDiscovery.Abstractions
    The Microsoft.Extensions.ServiceDiscovery.Abstrac…
  428. Microsoft.Extensions.Telemetry:Provides canonical implementations of telemetry abstractions.
  429. Microsoft.Extensions.Telemetry.Abstractions:Common abstractions for high-level telemetry primitives.
  430. Microsoft.Extensions.TimeProvider.Testing:Hand-crafted fakes to make time-related testing easier.
  431. Microsoft.Extensions.WebEncoders:Contains registration and configuration APIs to add the core framework encoders to a dependency inje…
  432. Microsoft.FluentUI.AspNetCore.Components:Microsoft Fluent UI Blazor components

    ⭐ We appreciate your star, it helps!
    This package is f…

  433. Microsoft.FluentUI.AspNetCore.Components.Icons:Microsoft Fluent UI Icons for Blazor

    ⭐ We appreciate your star, it helps!
    Introduction
    The Micros…

  434. Microsoft.Identity.Client:This package contains the binaries of the Microsoft Authentication Library for .NET (MSAL.NET).     …
  435. Microsoft.Identity.Client.Extensions.Msal:This package contains the public client (desktop) caching to Microsoft Authentication Library for .N…
  436. Microsoft.IdentityModel.Abstractions:A package containing thin abstractions for Microsoft.IdentityModel.
  437. Microsoft.IdentityModel.JsonWebTokens:Includes types that provide support for creating, serializing and validating JSON Web Tokens.
  438. Microsoft.IdentityModel.Logging:Includes Event Source based logging support.
  439. Microsoft.IdentityModel.Protocols:Provides base protocol support for OpenIdConnect and WsFederation.
  440. Microsoft.IdentityModel.Protocols.OpenIdConnect:Includes types that provide support for OpenIdConnect protocol.
  441. Microsoft.IdentityModel.Tokens:Includes types that provide support for SecurityTokens, Cryptographic operations: Signing, Verifying…
  442. Microsoft.IO.RecyclableMemoryStream:Microsoft.IO.RecyclableMemoryStream
    A library to provide pooling for .NET MemoryStream objects to i…
  443. Microsoft.IO.Redist:Downlevel support package for System.IO classes.
  444. Microsoft.JSInterop:Abstractions and features for interop between .NET and JavaScript code.This package was built from t…
  445. Microsoft.JSInterop.WebAssembly:Abstractions and features for interop between .NET WebAssembly and JavaScript code.This package was …
  446. Microsoft.Net.Compilers.Toolset:.NET Compilers Toolset Package.      Referencing this package will cause the project to be built usi…
  447. Microsoft.Net.Http.Headers:HTTP header parser implementations.This package was built from the source code at https://github.com…
  448. Microsoft.NET.ILLink.Analyzers:Analyzer utilities for ILLink attributes and single-file
  449. Microsoft.NET.ILLink.Tasks:MSBuild tasks for running the IL Linker
  450. Microsoft.NET.Sdk.WebAssembly.Pack:SDK for building and publishing WebAssembly applications.
  451. Microsoft.NET.StringTools:Microsoft.NET.StringTools
    This package contains the Microsoft.NET.StringTools assembly which impleme…
  452. Microsoft.NET.Test.Sdk:The MSbuild targets and properties for building .NET test projects.
  453. Microsoft.NETCore.App.Crossgen2.win-x64:Internal implementation package not meant for direct consumption. Please do not reference directly.
  454. Microsoft.NETCore.App.Host.linux-x64:Internal implementation package not meant for direct consumption. Please do not reference directly.
  455. Microsoft.NETCore.App.Host.win-x64:Internal implementation package not meant for direct consumption. Please do not reference directly.
  456. Microsoft.NETCore.App.Ref:Internal implementation package not meant for direct consumption. Please do not reference directly. …
  457. Microsoft.NETCore.App.Runtime.Mono.browser-wasm:Internal implementation package not meant for direct consumption. Please do not reference directly.
  458. Microsoft.NETCore.App.Runtime.win-x64:Internal implementation package not meant for direct consumption. Please do not reference directly.
  459. Microsoft.NETCore.Platforms:Provides runtime information required to resolve target framework, platform, and runtime specific im…
  460. Microsoft.NETCore.Targets:Provides supporting infrastructure for portable projects: support identifiers that define framework …
  461. Microsoft.NETFramework.ReferenceAssemblies:Microsoft .NET Framework Reference Assemblies
  462. Microsoft.NETFramework.ReferenceAssemblies.net462:Microsoft .NET Framework Reference Assemblies
  463. Microsoft.OpenApi:OpenAPI.NET

    Package
    Nuget

    Models and Writers

    Readers

    Hidi

    The OpenAPI.NET SDK conta…

  464. Microsoft.Packaging.Tools:Provides build infrastructure for handling conflicting assets from packages. 81ffa9f5381f510c2afa17a…
  465. Microsoft.Playwright:Playwright enables reliable end-to-end testing for modern web apps. It is built to enable cross-brow…
  466. Microsoft.PowerPlatform.Dataverse.Client:This package contains the .net core Dataverse ServiceClient. Used to connect to Microsoft Dataverse….
  467. Microsoft.Rest.ClientRuntime:Infrastructure for error handling, tracing, and HttpClient pipeline configuration. Required by clien…
  468. Microsoft.ServiceHub.Analyzers:Microsoft.ServiceHub.Analyzers
    This package contains the static analyzers to guide code that consume…
  469. Microsoft.ServiceHub.Client:The client library for ServiceHub, which makes it easy to request and activate services in another p…
  470. Microsoft.ServiceHub.Framework:Microsoft.ServiceHub.Framework
    This package contains the APIs necessary to proffer and consume broke…
  471. Microsoft.ServiceHub.Resources:Package Description
  472. Microsoft.SourceLink.AzureRepos.Git:Generates source link for Azure Repos (formerly known as VSTS) Git repositories.
  473. Microsoft.SourceLink.Bitbucket.Git:Generates source link for Bitbucket repositories.
  474. Microsoft.SourceLink.Common:MSBuild tasks providing source control information.
  475. Microsoft.SourceLink.GitHub:Generates source link for GitHub repositories.
  476. Microsoft.SourceLink.GitLab:Generates source link for GitLab repositories.
  477. Microsoft.SqlServer.Server:This is a helper library for Microsoft.Data.SqlClient enabling cross framework support of UDT types….
  478. Microsoft.TestPlatform.ObjectModel:The Microsoft Test Platform Object Model.
  479. Microsoft.TestPlatform.TestHost:Testplatform host executes the test using specified adapter.
  480. Microsoft.VisualBasic:Provides types that support the Visual Basic runtimeCommonly Used Types:Microsoft.VisualBasic.String…
  481. Microsoft.VisualStudio.Azure.Containers.Tools.Targets:Release History
    1.19.5

    Add support for debugging AOT compiled projects in dotnet 8
    Docker image bui…

  482. Microsoft.VisualStudio.CommandBars:A member of the Visual Studio SDK
  483. Microsoft.VisualStudio.ComponentModelHost:Package Description
  484. Microsoft.VisualStudio.Composition:Microsoft.VisualStudio.Composition
    Features

    A new, faster host for your existing MEF parts
    Reuse th…

  485. Microsoft.VisualStudio.Composition.Analyzers:Microsoft.VisualStudio.Composition.Analyzers
    Analyzers for MEF consumers to help identify common err…
  486. Microsoft.VisualStudio.Composition.NetFxAttributes:The MEF attributes and runtime classes in the .NET Managed Extensibility Framework (MEF) that are us…
  487. Microsoft.VisualStudio.CoreUtility:Microsoft® Visual Studio® Editor Platform
  488. Microsoft.VisualStudio.Debugger.Interop.10.0:A member of the Visual Studio SDK
  489. Microsoft.VisualStudio.Debugger.Interop.11.0:A member of the Visual Studio SDK
  490. Microsoft.VisualStudio.Debugger.Interop.12.0:A member of the Visual Studio SDK
  491. Microsoft.VisualStudio.Debugger.Interop.14.0:A member of the Visual Studio SDK
  492. Microsoft.VisualStudio.Debugger.Interop.15.0:A member of the Visual Studio SDK
  493. Microsoft.VisualStudio.Debugger.Interop.16.0:A member of the Visual Studio SDK
  494. Microsoft.VisualStudio.Debugger.InteropA:A member of the Visual Studio SDK
  495. Microsoft.VisualStudio.Designer.Interfaces:A member of the Visual Studio SDK
  496. Microsoft.VisualStudio.Editor:Microsoft® Visual Studio® Editor Platform
  497. Microsoft.VisualStudio.GraphModel:A member of the Visual Studio SDK
  498. Microsoft.VisualStudio.ImageCatalog:A member of the Visual Studio SDK
  499. Microsoft.VisualStudio.Imaging:A member of the Visual Studio SDK
  500. Microsoft.VisualStudio.Imaging.Interop.14.0.DesignTime:A member of the Visual Studio SDK
  501. Microsoft.VisualStudio.Interop:A member of the Visual Studio SDK
  502. Microsoft.VisualStudio.JavaScript.SDK:MSBuild project SDK providing support for JavaScript and TypeScript projects
  503. Microsoft.VisualStudio.Language:Microsoft® Visual Studio® Editor Platform
  504. Microsoft.VisualStudio.Language.Intellisense:Microsoft® Visual Studio® Editor Platform
  505. Microsoft.VisualStudio.Language.NavigateTo.Interfaces:Microsoft® Visual Studio® Navigate To
  506. Microsoft.VisualStudio.Language.StandardClassification:Microsoft® Visual Studio® Editor Platform
  507. Microsoft.VisualStudio.LanguageServer.Client:Visual Studio client side APIs for interacting with a Language Server Protocol enabled server.
  508. Microsoft.VisualStudio.Linux.ConnectionManager.Store:A member of the Visual Studio SDK
  509. Microsoft.VisualStudio.OLE.Interop:A member of the Visual Studio SDK
  510. Microsoft.VisualStudio.Package.LanguageService.15.0:A member of the Visual Studio SDK
  511. Microsoft.VisualStudio.ProjectAggregator:A member of the Visual Studio SDK
  512. Microsoft.VisualStudio.RemoteControl:Microsoft® Visual Studio® Remote Control Library
  513. Microsoft.VisualStudio.RpcContracts:Visual Studio RPC contracts
  514. Microsoft.VisualStudio.SDK:Visual Studio SDK meta-package. Reference this to get references to most other Visual Studio extensi…
  515. Microsoft.VisualStudio.SDK.Analyzers:A collection of analyzers to help Visual Studio extension developers write quality code.
  516. Microsoft.VisualStudio.Setup.Configuration.Interop:Managed query API for enumerating Visual Studio setup instances using embeddable interoperability ty…
  517. Microsoft.VisualStudio.Shell.15.0:A member of the Visual Studio SDK
  518. Microsoft.VisualStudio.Shell.Design:A member of the Visual Studio SDK
  519. Microsoft.VisualStudio.Shell.Framework:A member of the Visual Studio SDK
  520. Microsoft.VisualStudio.Shell.Interop:A member of the Visual Studio SDK
  521. Microsoft.VisualStudio.Shell.Interop.10.0:A member of the Visual Studio SDK
  522. Microsoft.VisualStudio.Shell.Interop.11.0:A member of the Visual Studio SDK
  523. Microsoft.VisualStudio.Shell.Interop.12.0:A member of the Visual Studio SDK
  524. Microsoft.VisualStudio.Shell.Interop.8.0:A member of the Visual Studio SDK
  525. Microsoft.VisualStudio.Shell.Interop.9.0:A member of the Visual Studio SDK
  526. Microsoft.VisualStudio.TaskRunnerExplorer.14.0:Microsoft.VisualStudio.TaskRunnerExplorer.14.0 contracts assembly for Visual Studio.
  527. Microsoft.VisualStudio.Telemetry:Microsoft® Visual Studio® Telemetry Library
  528. Microsoft.VisualStudio.Text.Data:Microsoft® Visual Studio® Editor Platform
  529. Microsoft.VisualStudio.Text.Logic:Microsoft® Visual Studio® Editor Platform
  530. Microsoft.VisualStudio.Text.UI:Microsoft® Visual Studio® Editor Platform
  531. Microsoft.VisualStudio.Text.UI.Wpf:Microsoft® Visual Studio® Editor Platform
  532. Microsoft.VisualStudio.TextManager.Interop:A member of the Visual Studio SDK
  533. Microsoft.VisualStudio.TextManager.Interop.10.0:A member of the Visual Studio SDK
  534. Microsoft.VisualStudio.TextManager.Interop.11.0:A member of the Visual Studio SDK
  535. Microsoft.VisualStudio.TextManager.Interop.12.0:A member of the Visual Studio SDK
  536. Microsoft.VisualStudio.TextManager.Interop.8.0:A member of the Visual Studio SDK
  537. Microsoft.VisualStudio.TextManager.Interop.9.0:A member of the Visual Studio SDK
  538. Microsoft.VisualStudio.TextTemplating:A member of the Visual Studio SDK
  539. Microsoft.VisualStudio.TextTemplating.Interfaces:A member of the Visual Studio SDK
  540. Microsoft.VisualStudio.TextTemplating.Interfaces.10.0:A member of the Visual Studio SDK
  541. Microsoft.VisualStudio.TextTemplating.Interfaces.11.0:A member of the Visual Studio SDK
  542. Microsoft.VisualStudio.TextTemplating.VSHost:A member of the Visual Studio SDK
  543. Microsoft.VisualStudio.Threading:Microsoft.VisualStudio.Threading
    Async synchronization primitives, async collections, TPL and datafl…
  544. Microsoft.VisualStudio.Threading.Analyzers:Microsoft.VisualStudio.Threading.Analyzers
    Static code analyzers to detect common mistakes or potent…
  545. Microsoft.VisualStudio.Utilities:A member of the Visual Studio SDK
  546. Microsoft.VisualStudio.Utilities.Internal:Microsoft® Visual Studio® Common Utility Library
  547. Microsoft.VisualStudio.Validation:Common input validation and state verification utility methods.
  548. Microsoft.VisualStudio.VCProjectEngine:A member of the Visual Studio SDK
  549. Microsoft.VisualStudio.VSHelp:A member of the Visual Studio SDK
  550. Microsoft.VisualStudio.VSHelp80:A member of the Visual Studio SDK
  551. Microsoft.VisualStudio.WCFReference.Interop:A member of the Visual Studio SDK
  552. Microsoft.VisualStudio.Web.BrowserLink.12.0:Microsoft.VisualStudio.BrowserLink.12.0 contracts assembly for Visual Studio.
  553. Microsoft.VisualStudio.Web.CodeGeneration:Contains the CodeGenCommand that finds the appropriate code generator and invokes it from project de…
  554. Microsoft.VisualStudio.Web.CodeGeneration.Contracts:Contains interfaces for Project Model and messaging for scaffolding.
  555. Microsoft.VisualStudio.Web.CodeGeneration.Core:Contains the core infrastructure used by ASP.NET Core Code Generators.
  556. Microsoft.VisualStudio.Web.CodeGeneration.Design:ASP.NET Scaffolding
    ASP.NET scaffolding generates boilerplate code for web apps to speed up developm…
  557. Microsoft.VisualStudio.Web.CodeGeneration.EntityFrameworkCore:Contains Entity Framework Core Services used by ASP.NET Core Code Generators.
  558. Microsoft.VisualStudio.Web.CodeGeneration.Templating:Contains Razor based templating host used by ASP.NET Core Code Generators.
  559. Microsoft.VisualStudio.Web.CodeGeneration.Utils:Contains utilities used by ASP.NET Core Code Generation packages.
  560. Microsoft.VisualStudio.Web.CodeGenerators.Mvc:Code Generators for ASP.NET Core MVC. Contains code generators for MVC Controllers and Views.
  561. Microsoft.VSSDK.BuildTools:Contains targets and tools to enable the building of managed VSIX projects without VSSDK MSI install…
  562. Microsoft.VsSDK.CompatibilityAnalyzer:Package Description
  563. Microsoft.Win32.Primitives:Provides common types for Win32-based libraries.Commonly Used Types:System.ComponentModel.Win32Excep…
  564. Microsoft.Win32.Registry:Provides support for accessing and modifying the Windows Registry.Commonly Used Types:Microsoft.Win3…
  565. Microsoft.Win32.SystemEvents:Provides access to Windows system event notifications.Commonly Used Types:Microsoft.Win32.SystemEven…
  566. Microsoft.Windows.SDK.NET.Ref:The Windows SDK available as a targeting pack for .NET 6 and later applications.For further details,…
  567. Microsoft.WindowsDesktop.App.Ref:Package Description
  568. Microsoft.WindowsDesktop.App.Runtime.win-x64:Package Description
  569. MimeTypeMapOfficial:Huge dictionary of file extensions to mime types
  570. MinimalApiBuilder:MinimalApiBuilder

    Reflectionless, source-generated, thin abstraction layer over
    the ASP.NET Core Mi…

  571. MinVer:MinVer

    A minimalist .NET package for versioning .NET SDK-style projects using Git tags.
    Platf…

  572. Mono.Cecil:Cecil is a library written by Jb Evain to generate and inspect programs and libraries in the ECMA CI…
  573. Mono.Reflection:Complement for System.Reflection, including an IL disassembler.
  574. Mono.TextTemplating:Mono.TextTemplating

    NOTE: To use a template at runtime in your app, you do not need to host the eng…

  575. Moq:The most popular and friendly mocking library for .NET
    var mock = new Mock();

  576. Morris.Moxy:Morris.Moxy

    Morris.Moxy is a code mix-in code generator for Microsoft .NET

    Overview
    Moxy allows yo…

  577. MSBuild.StructuredLogger:An MSBuild logger that can be passed to MSBuild to record a detailed structured log file. See usage …
  578. MsBuildPipeLogger.Server:A logger for MSBuild that sends event data over anonymous or named pipes.
  579. MSTest.TestAdapter:MSTest is Microsoft supported Test Framework.      This package includes the adapter logic to discov…
  580. MSTest.TestFramework:MSTest is Microsoft supported Test Framework.      This package includes the libraries for writing t…
  581. MySql.Data:MySql.Data.MySqlClient .Net Core Class Library
  582. MySql.EntityFrameworkCore:MySQL Server database provider for Entity Framework Core.
  583. MySqlConnector:About
    MySqlConnector is a C# ADO.NET driver for MySQL, MariaDB, Amazon Aurora, Azure Database for My…
  584. MySqlConnector.DependencyInjection:About
    MySqlConnector.DependencyInjection helps set up MySqlConnector in applications that use depend…
  585. N.SourceGenerators.UnionTypes:N.SourceGenerators.UnionTypes
    Discriminated union type source generator
    Motivation
    C# doesn’t suppor…
  586. Namotion.Reflection:.NET library with advanced reflection APIs like XML documentation reading, Null Reference Types (C# …
  587. Nerdbank.GitVersioning:Stamps your assemblies with semver 2.0 compliant git commit specific version information and provide…
  588. Nerdbank.Streams:Streams for full duplex in-proc communication, wrap a WebSocket, split a stream into multiple channe…
  589. NetCore2Blockly:NETCore2Blockly

    What it does
    NETCore2Blockly generates Blockly blocks for each of your controll…

  590. NetCore7ShortLinks:NetCoreShortLinks
    .NET Core short links – short links for your site

    How to use it
    Install the pac…

  591. NetCoreUsefullEndpoints:NetCoreUsefullEndpoints

    What it does
    Register endpoints for

    See environment variables
    See curren…

  592. NetEscapades.EnumGenerators:NetEscapades.EnumGenerators

    A Source Generator package that generates extension methods for enums,…

  593. NetPackageAnalyzerConsole:PackageAnalyzer
    Analyzer for .NET solution / projects . Latest version 7.2023.1029.811
    Install as lo…
  594. NETStandard.Library:A set of standard .NET APIs that are prescribed to be used and supported together. 18a36291e48808fa7…
  595. Newtonsoft.Json:Json.NET

    Json.NET is a popular high-performance JSON framework for .NET
    Serialize JSON
    Product pro…

  596. Newtonsoft.Json.Bson:Json.NET BSON adds support for reading and writing BSON
  597. NextGenMapper:Package Description
  598. NickJohn.WinUI.ObservableSettings:WinUI ObservableSettings

    A C# source generator to help you generate boilerplates to read and write…

  599. NJsonSchema:JSON Schema reader, generator and validator for .NET
  600. NJsonSchema.Yaml:JSON Schema reader, generator and validator for .NET
  601. NLog:NLog is a logging platform for .NET with rich log routing and management capabilities.NLog supports …
  602. NLog.Extensions.Logging:NLog.Extensions.Logging

    Integrates NLog as Logging provider for Microsoft.Extensions.Logging, by …

  603. NLog.Web.AspNetCore:NLog.Web.AspNetCore

    Integrates NLog as Logging provider for the ASP.NET Core platform, by just ca…

  604. Npgsql:Npgsql is the open source .NET data provider for PostgreSQL. It allows you to connect and interact w…
  605. Npgsql.DependencyInjection:Npgsql is the open source .NET data provider for PostgreSQL. It allows you to connect and interact w…
  606. Npgsql.EntityFrameworkCore.PostgreSQL:Npgsql Entity Framework Core provider for PostgreSQL
    Npgsql.EntityFrameworkCore.PostgreSQL is the op…
  607. Npgsql.OpenTelemetry:Npgsql is the open source .NET data provider for PostgreSQL. It allows you to connect and interact w…
  608. NPOI:Contact us on telegram: https://t.me/npoidevs
  609. NSubstitute:NSubstitute is a friendly substitute for .NET mocking libraries. It has a simple, succinct syntax to…
  610. NSwag.Annotations:NSwag: The OpenAPI/Swagger API toolchain for .NET and TypeScript
  611. NSwag.AspNetCore:NSwag: The OpenAPI/Swagger API toolchain for .NET and TypeScript
  612. NSwag.Core:NSwag: The OpenAPI/Swagger API toolchain for .NET and TypeScript
  613. NSwag.Core.Yaml:NSwag: The OpenAPI/Swagger API toolchain for .NET and TypeScript
  614. NSwag.Generation:NSwag: The OpenAPI/Swagger API toolchain for .NET and TypeScript
  615. NSwag.Generation.AspNetCore:NSwag: The OpenAPI/Swagger API toolchain for .NET and TypeScript
  616. NSwag.SwaggerGeneration:NSwag: The Swagger API toolchain for .NET and TypeScript
  617. NSwag.SwaggerGeneration.AspNetCore:NSwag: The Swagger API toolchain for .NET and TypeScript
  618. NuGet.Common:Common utilities and interfaces for all NuGet libraries.
  619. NuGet.Configuration:NuGet’s configuration settings implementation.
  620. NuGet.DependencyResolver.Core:NuGet’s PackageReference dependency resolver implementation.
  621. NuGet.Frameworks:NuGet’s understanding of target frameworks.
  622. NuGet.LibraryModel:NuGet’s types and interfaces for understanding dependencies.
  623. NuGet.Packaging:Nuget.Packaging
    NuGet.Packaging is a NuGet client SDK library that provides a set of APIs to interac…
  624. NuGet.ProjectModel:NuGet’s core types and interfaces for PackageReference-based restore, such as lock files, assets fil…
  625. NuGet.Protocol:NuGet.Protocol
    NuGet.Protocol is a NuGet client SDK library that provides a set of APIs for interact…
  626. NuGet.Resolver:NuGet’s dependency resolver for packages.config based projects.
  627. NuGet.Versioning:NuGet’s implementation of Semantic Versioning.
  628. NUnit:NUnit 4 Framework

    NUnit is a unit-testing framework for all .NET languages.
    It can run on macOS…

  629. NUnit.Analyzers:NUnit Analyzers

    This is a suite of analyzers that target the NUnit testing framework. Right now,…

  630. NUnit3TestAdapter:NUnit 3 VS Test Adapter
    The NUnit 3 Test Adapter runs NUnit 3.x tests in Visual Studio 2012 and newe…
  631. Octokit:An async-based GitHub API client library for .NET and .NET Core
  632. OneOf:F# style discriminated unions for C#, using a custom type OneOf which holds a single val…
  633. OneOf.SourceGenerator:This source generator automaticly implements OneOfBase hierarchies
  634. OpenMcdf:openmcdf
    Structured Storage .net component – pure C#
    OpenMCDF is a 100% .net / C# component that all…
  635. OpenTelemetry:OpenTelemetry .NET SDK
  636. OpenTelemetry.Api:OpenTelemetry .NET API
  637. OpenTelemetry.Api.ProviderBuilderExtensions:Contains extensions to register OpenTelemetry in applications using Microsoft.Extensions.DependencyI…
  638. OpenTelemetry.Contrib.Instrumentation.EntityFrameworkCore:Microsoft.EntityFrameworkCore instrumentation for OpenTelemetry .NET
  639. OpenTelemetry.Exporter.Console:Console exporter for OpenTelemetry .NET
  640. OpenTelemetry.Exporter.OpenTelemetryProtocol:OpenTelemetry protocol exporter for OpenTelemetry .NET
  641. OpenTelemetry.Exporter.Prometheus.AspNetCore:ASP.NET Core middleware for hosting OpenTelemetry .NET Prometheus Exporter
  642. OpenTelemetry.Extensions.Hosting:Contains extensions to start OpenTelemetry in applications using Microsoft.Extensions.Hosting
  643. OpenTelemetry.Instrumentation.AspNetCore:ASP.NET Core instrumentation for OpenTelemetry .NET
  644. OpenTelemetry.Instrumentation.EntityFrameworkCore:Microsoft.EntityFrameworkCore instrumentation for OpenTelemetry .NET
  645. OpenTelemetry.Instrumentation.EventCounters:OpenTelemetry Metrics instrumentation for Dotnet EventCounters
  646. OpenTelemetry.Instrumentation.GrpcNetClient:gRPC for .NET client instrumentation for OpenTelemetry .NET
  647. OpenTelemetry.Instrumentation.Http:Http instrumentation for OpenTelemetry .NET
  648. OpenTelemetry.Instrumentation.Runtime:dotnet runtime instrumentation for OpenTelemetry .NET
  649. OpenTelemetry.Instrumentation.SqlClient:SqlClient instrumentation for OpenTelemetry .NET
  650. OpenTelemetry.Instrumentation.StackExchangeRedis:StackExchange.Redis instrumentation for OpenTelemetry .NET
  651. PartiallyApplied:A way to do partial function application in C#
  652. Perfolizer:Performance analysis toolkit
  653. Pipelines.Sockets.Unofficial:Package Description
  654. Podimo.ConstEmbed:Podimo.ConstEmbed
    This project is a Source Generator which generates constant strings from files at …
  655. Polly:Polly
    Polly is a .NET resilience and transient-fault-handling library that allows developers to expr…
  656. Polly.Core:Polly
    Polly is a .NET resilience and transient-fault-handling library that allows developers to expr…
  657. Polly.Extensions:Polly
    Polly is a .NET resilience and transient-fault-handling library that allows developers to expr…
  658. Polly.RateLimiting:Polly
    Polly is a .NET resilience and transient-fault-handling library that allows developers to expr…
  659. Pomelo.EntityFrameworkCore.MySql:About
    Pomelo.EntityFrameworkCore.MySql is the Entity Framework Core (EF Core) provider for MySQL, Ma…
  660. Portable.BouncyCastle:BouncyCastle portable version with support for .NET 4, .NET Standard 2.0
  661. PowerShell:PowerShell global tool
  662. prometheus-net:prometheus-net
    This is a .NET library for instrumenting your applications and exporting metrics to P…
  663. PropertyChanged.SourceGenerator:PropertyChanged.SourceGenerator

    Implementing INotifyPropertyChanged / INotifyPropertyChanging is a…

  664. protobuf-net:Provides simple access to fast and efficient “Protocol Buffers” serialization from .NET applications
  665. protobuf-net.Core:Provides simple access to fast and efficient “Protocol Buffers” serialization from .NET applications
  666. ProxyGen.NET:ProxyGen.NET

    .NET proxy generator powered by Roslyn

    This documentation refers the version 9.X…

  667. QueryGenerator:Query Viewer
    Reference the nuget package QuickConstructor:QuickConstructor

    QuickConstructor is a reliable and feature-rich source generator that can automati…

  668. RazorBlade:RazorBlade
    The sharpest part of the razor.
    Compile Razor templates at build-time without a dependenc…
  669. RazorLight:Use Razor to build your templates from strings / files / EmbeddedResources outside of ASP.NET MVC fo…
  670. Refit:Refit: The automatic type-safe REST library for .NET Core, Xamarin and .NET

    Refit
    Refit.HttpCl…

  671. RidgeDotNet:Ridge is a source generator that creates strongly typed HTTP clients for integration tests.         …
  672. RidgeDotNet.AspNetCore:Ridge.AspNetCore containes dependencies which are neccessary to use in ASP.NET core app using Ridge.
  673. Riok.Mapperly:Mapperly

    Mapperly is a .NET source generator for generating object mappings.
    Because Mapperly …

  674. Rocks:Rocks
    A mocking library based on the Compiler APIs (Roslyn + Mocks)
    Getting Started
    Reference the Ro…
  675. Roozie.AutoInterface:Roozie.AutoInterface

    What is it?
    Roozie.AutoInterface is a C# source generator that generates an i…

  676. rscgutils:RSCG_Utils
    Roslyn Source Code Generators Utils

    Usage
    Additional Files
    Allow you to see additional …

  677. RSCG_AMS:RSCG_AMS
    a Roslyn Source Code Generator for About My Software
    You will obtain

    ( See online at https…

  678. RSCG_Decorator:RSCG_Decorator
    Decorator for classes , permit to know when method start and ends
    Usage
    Add reference…
  679. RSCG_DecoratorCommon:RSCG_Decorator
    Decorator for classes , permit to know when method start and ends
    Usage
    Add reference…
  680. RSCG_FunctionsWithDI:FunctionsDI

    Generate (constructor) and functions calls similar with ASP.NET Core WebAPI ( [FromServ…

  681. RSCG_FunctionsWithDI_Base:FunctionsDI

    Generate (constructor) and functions calls similar with ASP.NET Core WebAPI ( [FromServ…

  682. RSCG_InterceptorTemplate:RSCG_InterceptorTemplate
    Interceptor template – supported from >= .NET 8.0 . Uses also experimental …
  683. RSCG_Static:RSCG_Static
    Roslyn Source Code Generator – transform static classes into instances and interfaces
    Mo…
  684. RSCG_Templating:RSCG_Templating
    Templating for generating everything from classes, methods from a Roslyn Code Genera…
  685. RSCG_TemplatingCommon:RSCG_Templating
    Templating for generating everything from classes, methods from a Roslyn Code Genera…
  686. RSCG_TimeBombComment:RSCG_TimeBombComment aka Time Bomb comment for technical debt
    Reference the nuget package < li="">
  687. RSCG_UtilityTypes:RSCG_UtilityTypes
    Omit and Pick from TypeScript : https://www.typescriptlang.org/docs/handbook/utili…
  688. RSCG_UtilityTypesCommon:RSCG_UtilityTypes
    Omit and Pick from TypeScript : https://www.typescriptlang.org/docs/handbook/utili…
  689. RSCG_WebAPIExports:RSCG_WebAPIExports
    Add exports to file to WebAPI ( for the moment, just Excel / xlsx)
    How to use in …
  690. run-script: dotnet-run-script

    A dotnet tool to run arbi…

  691. runtime.any.System.Collections:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  692. runtime.any.System.Diagnostics.Tools:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  693. runtime.any.System.Diagnostics.Tracing:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  694. runtime.any.System.Globalization:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  695. runtime.any.System.Globalization.Calendars:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  696. runtime.any.System.IO:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  697. runtime.any.System.Reflection:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  698. runtime.any.System.Reflection.Extensions:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  699. runtime.any.System.Reflection.Primitives:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  700. runtime.any.System.Resources.ResourceManager:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  701. runtime.any.System.Runtime:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  702. runtime.any.System.Runtime.Handles:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  703. runtime.any.System.Runtime.InteropServices:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  704. runtime.any.System.Text.Encoding:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  705. runtime.any.System.Text.Encoding.Extensions:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  706. runtime.any.System.Threading.Tasks:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  707. runtime.any.System.Threading.Timer:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  708. runtime.debian.8-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  709. runtime.fedora.23-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  710. runtime.fedora.24-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  711. runtime.native.System:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  712. runtime.native.System.Data.SqlClient.sni:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  713. runtime.native.System.IO.Compression:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  714. runtime.native.System.Net.Http:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  715. runtime.native.System.Net.Security:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  716. runtime.native.System.Security.Cryptography:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  717. runtime.native.System.Security.Cryptography.Apple:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  718. runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  719. runtime.opensuse.13.2-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  720. runtime.opensuse.42.1-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  721. runtime.osx.10.10-x64.runtime.native.System.Security.Cryptography.Apple:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  722. runtime.osx.10.10-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  723. runtime.rhel.7-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  724. runtime.ubuntu.14.04-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  725. runtime.ubuntu.16.04-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  726. runtime.ubuntu.16.10-x64.runtime.native.System.Security.Cryptography.OpenSsl:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  727. runtime.win-arm64.runtime.native.System.Data.SqlClient.sni:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  728. runtime.win-x64.Microsoft.DotNet.ILCompiler:Internal implementation package not meant for direct consumption. Please do not reference directly. …
  729. runtime.win-x64.runtime.native.System.Data.SqlClient.sni:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  730. runtime.win-x86.runtime.native.System.Data.SqlClient.sni:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  731. runtime.win.Microsoft.Win32.Primitives:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  732. runtime.win.System.Console:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  733. runtime.win.System.Diagnostics.Debug:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  734. runtime.win.System.IO.FileSystem:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  735. runtime.win.System.Net.Primitives:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  736. runtime.win.System.Net.Sockets:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  737. runtime.win.System.Runtime.Extensions:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  738. runtime.win7-x64.runtime.native.System.Data.SqlClient.sni:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  739. runtime.win7-x64.runtime.native.System.IO.Compression:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  740. runtime.win7-x86.runtime.native.System.Data.SqlClient.sni:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  741. runtime.win7.System.Private.Uri:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  742. SafeRouting:Safe Routing Source Generator for ASP.NET Core

    Safe Routing is a source generator which analyses a…

  743. Scriban:scriban

    Scriban is a fast,…
  744. SharpCompress:SharpCompress is a compression library for NET Standard 2.0/2.1/NET 6.0/NET 7.0 that can unrar, deco…
  745. SharpZipLib:SharpZipLib (#ziplib, formerly NZipLib) is a compression library for Zip, GZip, BZip2, and Tar writt…
  746. SimpleInfoName:Generates simple names info (types, parameters, properties, fields, and methods).
  747. SimpleInjector:Simple Injector is an easy, flexible and fast dependency injection library that uses best practice t…
  748. SixLabors.Fonts:SixLabors.Fonts

    SixLabors.Fonts is a new cross-platform font loading and drawing library.
    Lice…

  749. SkinnyControllersCommon:SkinnyControllersGenerator
    SkinnyControllers generates controller action for each field of your cont…
  750. SkinnyControllersGenerator:SkinnyControllersGenerator
    SkinnyControllers generates controller action for each field of your cont…
  751. Solti.Utils.Primitives:Solti.Utils.Primitives

    Shared classes used in my .NET projects (intended for private use only)…

  752. SourceGenerator.Helper.CopyCode:SourceGenerator.Helper.CopyCode
    This Generator is intendede to generate text that a source generator…
  753. Spectre.Console:A library that makes it easier to create beautiful console applications.
  754. SpreadCheetah:SpreadCheetah

    SpreadCheetah is a high-performance .NET library for generating spreadsheet (Micros…

  755. SQLitePCLRaw.bundle_e_sqlite3:This ‘batteries-included’ bundle brings in SQLitePCLRaw.core and the necessary stuff for certain com…
  756. SQLitePCLRaw.core:SQLitePCL.raw is a Portable Class Library (PCL) for low-level (raw) access to SQLite.  This package …
  757. SQLitePCLRaw.lib.e_sqlite3:This package contains platform-specific native code builds of SQLite for use with SQLitePCLRaw.  To …
  758. SQLitePCLRaw.provider.e_sqlite3:SQLitePCLRaw is a Portable Class Library (PCL) for low-level (raw) access to SQLite.  Packages named…
  759. SqlTableDependency:SqlTableDependency is a high-level implementation to access table record change notifications from S…
  760. SSH.NET:SSH.NET is a Secure Shell (SSH) library for .NET, optimized for parallelism and with broad framework…
  761. SshNet.Security.Cryptography:Cryptographic functions for .NET
  762. StackExchange.Redis:High performance Redis client, incorporating both synchronous and asynchronous usage.
  763. stdole:A member of the Visual Studio SDK
  764. StreamJsonRpc:StreamJsonRpc

    StreamJsonRpc is a cross-platform, .NET portable library that implements the
    JSON-RP…

  765. StringBuilderArray:The version of StringBuilder built on an array of strings string[]: uses less memory.
  766. StringLiteralGenerator:A C# Source Generator for optimizing UTF-8 binaries.
  767. Strongly:Strongly

    Strongly makes creating strongly-typed values as easy as adding an attribute! No
    more ac…

  768. Swashbuckle.AspNetCore:Swagger tools for documenting APIs built on ASP.NET Core
  769. Swashbuckle.AspNetCore.Swagger:Middleware to expose Swagger JSON endpoints from APIs built on ASP.NET Core
  770. Swashbuckle.AspNetCore.SwaggerGen:Swagger Generator for APIs built on ASP.NET Core
  771. Swashbuckle.AspNetCore.SwaggerUI:Middleware to expose an embedded version of the swagger-ui from an ASP.NET Core application
  772. System.AppContext:Provides the System.AppContext class, which allows access to the BaseDirectory property and other ap…
  773. System.Buffers:Provides resource pooling of any type for performance-critical applications that allocate and deallo…
  774. System.CodeDom:Provides types that can be used to model the structure of a source code document and to output sourc…
  775. System.Collections:Provides classes that define generic collections, which allow developers to create strongly typed co…
  776. System.Collections.Concurrent:Provides several thread-safe collection classes that should be used in place of the corresponding ty…
  777. System.Collections.Immutable:About
    This package provides collections that are thread safe and guaranteed to never change their co…
  778. System.Collections.NonGeneric:Provides classes that define older non-generic collections of objects, such as lists, queues, hash t…
  779. System.Collections.Specialized:Provides older specialized non-generic collections; for example, a linked list dictionary, a bit vec…
  780. System.CommandLine:This package includes a powerful command line parser and other tools for building command line appli…
  781. System.ComponentModel:Provides interfaces for the editing and change tracking of objects used as data sources.Commonly Use…
  782. System.ComponentModel.Annotations:Provides attributes that are used to define metadata for objects used as data sources.Commonly Used …
  783. System.ComponentModel.Composition:This namespace provides classes that constitute the core of the Managed Extensibility Framework, or …
  784. System.ComponentModel.EventBasedAsync:Provides support classes and delegates for the event-based asynchronous pattern. Developers should p…
  785. System.ComponentModel.Primitives:Provides interfaces that are used to implement the run-time and design-time behavior of components.C…
  786. System.ComponentModel.TypeConverter:Provides the System.ComponentModel.TypeConverter class, which represents a unified way of converting…
  787. System.Composition:This package provides a version of the Managed Extensibility Framework (MEF) that is lightweight and…
  788. System.Composition.AttributedModel:Provides common attributes used by System.Composition types.Commonly Used Types:System.Composition.E…
  789. System.Composition.Convention:Provides types that support using Managed Extensibility Framework with a convention-based configurat…
  790. System.Composition.Hosting:Provides Managed Extensibility Framework types that are useful to developers of extensible applicati…
  791. System.Composition.TypedParts:Provides some extension methods for the Managed Extensibility Framework.Commonly Used Types:System.C…
  792. System.Configuration.ConfigurationManager:About
    Provides types that support using XML configuration files (app.config). This package exists on…
  793. System.Console:Provides the System.Console class, which represents the standard input, output and error streams for…
  794. System.Data.Common:Provides the base abstract classes, including System.Data.DbConnection and System.Data.DbCommand, fo…
  795. System.Data.DataSetExtensions:Provides extensions to form LINQ expressions and method queries against DataTable objects.Commonly U…
  796. System.Data.SqlClient:Provides the data provider for SQL Server. These classes provide access to versions of SQL Server an…
  797. System.Diagnostics.Contracts:Provides static classes for representing program contracts such as preconditions, postconditions, an…
  798. System.Diagnostics.Debug:Provides classes and attributes that allows basic interaction with a debugger.Commonly Used Types:Sy…
  799. System.Diagnostics.DiagnosticSource:Provides Classes that allow you to decouple code logging rich (unserializable) diagnostics/telemetry…
  800. System.Diagnostics.EventLog:About
    This package provides types that allow applications to interact with the Windows Event Log ser…
  801. System.Diagnostics.FileVersionInfo:Provides the System.Diagnostics.FileVersionInfo class, which allows access to Win32 version resource…
  802. System.Diagnostics.PerformanceCounter:About
    This package provides types that allow applications to interact with the Windows performance c…
  803. System.Diagnostics.Process:Provides the System.Diagnostics.Process class, which allows interaction with local and remote proces…
  804. System.Diagnostics.StackTrace:Provides the System.Diagnostics.StackTrace class, which allows interaction with local and remote pro…
  805. System.Diagnostics.TextWriterTraceListener:Provides trace listeners for directing tracing output to a text writer, such as System.IO.StreamWrit…
  806. System.Diagnostics.Tools:Provides attributes, such as GeneratedCodeAttribute and SuppresMessageAttribute, that are emitted or…
  807. System.Diagnostics.TraceSource:Provides classes that help you trace the execution of your code. Developers should prefer the classe…
  808. System.Diagnostics.Tracing:Provides class that enable you to create high performance tracing events to be captured by event tra…
  809. System.DirectoryServices.Protocols:About
    System.DirectoryServices.Protocols provides a managed implementation of Lightweight Directory …
  810. System.Drawing.Common:Provides access to GDI+ graphics functionality.Commonly Used Types:System.Drawing.BitmapSystem.Drawi…
  811. System.Dynamic.Runtime:Provides classes and interfaces that support the Dynamic Language Runtime (DLR).Commonly Used Types:…
  812. System.Formats.Asn1:Provides classes that can read and write the ASN.1 BER, CER, and DER data formats.Commonly Used Type…
  813. System.Globalization:Provides classes that define culture-related information, including language, country/region, calend…
  814. System.Globalization.Calendars:Provides classes for performing date calculations using specific calendars, including the Gregorian,…
  815. System.Globalization.Extensions:Provides classes for performing Unicode string normalization, culture-specific string comparisons an…
  816. System.IdentityModel.Tokens.Jwt:Includes types that provide support for creating, serializing and validating JSON Web Tokens.
  817. System.IO:Provides base input and output (I/O) types, including System.IO.Stream, System.IO.StreamReader and S…
  818. System.IO.Abstractions:At the core of the library is IFileSystem and FileSystem. Instead of calling methods like File.ReadA…
  819. System.IO.Compression:Provides classes that support the compression and decompression of streams.Commonly Used Types:Syste…
  820. System.IO.Compression.ZipFile:Provides classes that support the compression and decompression of streams using file system paths.C…
  821. System.IO.FileSystem:Provides types that allow reading and writing to files and types that provide basic file and directo…
  822. System.IO.FileSystem.AccessControl:Provides types for managing access and audit control lists for files and directories.Commonly Used T…
  823. System.IO.FileSystem.Primitives:Provides common enumerations and exceptions for path-based I/O libraries.Commonly Used Types:System….
  824. System.IO.Packaging:Provides classes that support storage of multiple data objects in a single container.
  825. System.IO.Pipelines:Single producer single consumer byte buffer management.Commonly Used Types:System.IO.Pipelines.PipeS…
  826. System.IO.Pipes:Provides a means for interprocess communication through anonymous and/or named pipes.Commonly Used T…
  827. System.IO.UnmanagedMemoryStream:Provides classes for access to unmanaged blocks of memory from managed code.Commonly Used Types:Syst…
  828. System.Linq:Provides classes and interfaces that supports queries that use Language-Integrated Query (LINQ).Comm…
  829. System.Linq.Async:Provides support for Language-Integrated Query (LINQ) over IAsyncEnumerable sequences.
  830. System.Linq.Async.Queryable:Provides support for Language-Integrated Query (LINQ) over IAsyncQueryable sequences with query p…
  831. System.Linq.Expressions:Provides classes, interfaces and enumerations that enable language-level code expressions to be repr…
  832. System.Linq.Parallel:Provides classes that supports parallel queries that use Language-Integrated Query (LINQ).Commonly U…
  833. System.Management:About
    Provides access to a rich set of management information and management events about the system…
  834. System.Memory:Provides types for efficient representation and pooling of managed, stack, and native memory segment…
  835. System.Memory.Data:About
    System.Memory.Data introduces the BinaryData type, a lightweight abstraction for a byte payloa…
  836. System.Net.Http:Provides a programming interface for modern HTTP applications, including HTTP client components that…
  837. System.Net.Http.Json:About
    Provides extension methods for System.Net.Http.HttpClient and System.Net.Http.HttpContent that…
  838. System.Net.NameResolution:Provides the System.Net.Dns class, which enables developers to perform simple domain name resolution…
  839. System.Net.Primitives:Provides common types for network-based libraries, including System.Net.IPAddress, System.Net.IPEndP…
  840. System.Net.Security:Provides types, such as System.Net.Security.SslStream, that uses SSL/TLS protocols to provide secure…
  841. System.Net.Sockets:Provides classes such as Socket, TcpClient and UdpClient, which enable developers to send and receiv…
  842. System.Net.WebSockets:Provides the System.Net.WebSockets.WebSocket abstract class and related types to allow developers to…
  843. System.Numerics.Vectors:Provides hardware-accelerated numeric types, suitable for high-performance processing and graphics a…
  844. System.ObjectModel:Provides types and interfaces that allow the creation of observable types that provide notifications…
  845. System.Private.DataContractSerialization:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  846. System.Private.ServiceModel:Package Description
  847. System.Private.Uri:Internal implementation package not meant for direct consumption.  Please do not reference directly….
  848. System.Reactive:Rx (Reactive Extensions for .NET)
    Rx enables event-driven programming with a composable, declarative…
  849. System.Reactive.Linq:Legacy facade package for System.Reactive
    This package exists for backwards compatibility, and shoul…
  850. System.Reflection:Provides types that retrieve information about assemblies, modules, members, parameters, and other e…
  851. System.Reflection.DispatchProxy:Provides a class to dynamically create proxy types that implement a specified interface and derive f…
  852. System.Reflection.Emit:Provides classes that allow a compiler or tool to emit metadata and optionally generate a PE file on…
  853. System.Reflection.Emit.ILGeneration:Provides classes that allow a compiler or tool to emit Microsoft intermediate language (MSIL). The p…
  854. System.Reflection.Emit.Lightweight:Provides the System.Reflection.Emit.DynamicMethod class, which represents a dynamic method that can …
  855. System.Reflection.Extensions:Provides custom attribute extension methods for System.Reflection types.Commonly Used Types:System.R…
  856. System.Reflection.Metadata:About
    This package provides a low-level .NET (ECMA-335) metadata reader and writer. It’s geared for …
  857. System.Reflection.MetadataLoadContext:About
    Provides read-only reflection on assemblies in an isolated context with support for assemblies…
  858. System.Reflection.Primitives:Provides common enumerations for reflection-based libraries.Commonly Used Types:System.Reflection.Fi…
  859. System.Reflection.TypeExtensions:Provides extensions methods for System.Type that are designed to be source-compatible with older fra…
  860. System.Resources.ResourceManager:Provides classes and attributes that allow developers to create, store, and manage various culture-s…
  861. System.Resources.Writer:Provides classes which write resources to streams in the system-default format.Commonly Used Types:S…
  862. System.Runtime:Provides the fundamental primitives, classes and base classes that define commonly-used value and re…
  863. System.Runtime.Caching:About
    Packaged set of simple caching API’s derived from those of the same namespace available in .NE…
  864. System.Runtime.CompilerServices.Unsafe:Provides the System.Runtime.CompilerServices.Unsafe class, which provides generic, low-level functio…
  865. System.Runtime.Extensions:Provides commonly-used classes for performing mathematical functions, conversions, string comparison…
  866. System.Runtime.Handles:Provides base classes, including System.Runtime.InteropServices.CriticalHandle and System.Runtime.In…
  867. System.Runtime.InteropServices:Provides types that support COM interop and platform invoke services.Commonly Used Types:System.Runt…
  868. System.Runtime.InteropServices.RuntimeInformation:Provides APIs to query about runtime and OS information.Commonly Used Types:System.Runtime.InteropSe…
  869. System.Runtime.InteropServices.WindowsRuntime:Provides classes that support interoperation between managed code and the Windows Runtime, and that …
  870. System.Runtime.Loader:Provides the System.Runtime.Loader.AssemblyLoadContext class, which provides members for loading ass…
  871. System.Runtime.Numerics:Provides the numeric types System.Numerics.BigInteger and System.Numerics.Complex, which complement …
  872. System.Runtime.Serialization.Formatters:Provides common types for libraries that support runtime serialization.Commonly Used Types:System.Se…
  873. System.Runtime.Serialization.Json:Provides classes for serializing objects to the JavaScript Object Notation (JSON) and deserializing …
  874. System.Runtime.Serialization.Primitives:Provides common types, including System.Runtime.Serialization.DataContractAttribute, for libraries t…
  875. System.Runtime.Serialization.Xml:Provides classes for serializing objects to the Extensible Markup Language (XML) and deserializing X…
  876. System.Security.AccessControl:Provides base classes that enable managing access and audit control lists on securable objects.Commo…
  877. System.Security.Claims:Provides classes that implement claims-based identity in the .NET Framework, including classes that …
  878. System.Security.Cryptography.Algorithms:Provides base types for cryptographic algorithms, including hashing, encryption, and signing operati…
  879. System.Security.Cryptography.Cng:Provides cryptographic algorithm implementations and key management with Windows Cryptographic Next …
  880. System.Security.Cryptography.Csp:Provides cryptographic algorithm implementations and key management with Windows Cryptographic API (…
  881. System.Security.Cryptography.Encoding:Provides types for representing Abstract Syntax Notation One (ASN.1)-encoded data.Commonly Used Type…
  882. System.Security.Cryptography.OpenSsl:Provides cryptographic algorithm implementations and key management for non-Windows systems with Ope…
  883. System.Security.Cryptography.Pkcs:Provides support for PKCS and CMS algorithms.Commonly Used Types:System.Security.Cryptography.Pkcs.E…
  884. System.Security.Cryptography.Primitives:Provides common types for the cryptographic libraries.Commonly Used Types:System.Security.Cryptograp…
  885. System.Security.Cryptography.ProtectedData:About
    System.Security.Cryptography.ProtectedData offers a simplified interface for utilizing Microso…
  886. System.Security.Cryptography.X509Certificates:Provides types for reading, exporting and verifying Authenticode X.509 v3 certificates. These certif…
  887. System.Security.Cryptography.Xml:Provides classes to support the creation and validation of XML digital signatures. The classes in th…
  888. System.Security.Permissions:Provides types supporting Code Access Security (CAS).
  889. System.Security.Principal:Provides the base interfaces for principal and identity objects that represents the security context…
  890. System.Security.Principal.Windows:Provides classes for retrieving the current Windows user and for interacting with Windows users and …
  891. System.ServiceModel.Http:Provides the types that permit SOAP messages to be exchanged using Http (example: BasicHttpBinding).
  892. System.ServiceModel.Primitives:Provides the common types used by all of the WCF libraries.
  893. System.ServiceProcess.ServiceController:About
    Provides the System.ServiceProcess.ServiceController API, which allows to connect to a Windows…
  894. System.Speech:About
    Provides APIs for speech recognition and synthesis built on the Microsoft Speech API in Window…
  895. System.Text.Encoding:Provides base abstract encoding classes for converting blocks of characters to and from blocks of by…
  896. System.Text.Encoding.CodePages:About
    System.Text.Encoding.CodePages enable creating single and double bytes encodings for code page…
  897. System.Text.Encoding.Extensions:Provides support for specific encodings, including ASCII, UTF-7, UTF-8, UTF-16, and UTF-32.Commonly …
  898. System.Text.Encodings.Web:Provides types for encoding and escaping strings for use in JavaScript, HyperText Markup Language (H…
  899. System.Text.Json:About
    Provides high-performance and low-allocating types that serialize objects to JavaScript Object…
  900. System.Text.RegularExpressions:Provides the System.Text.RegularExpressions.Regex class, an implementation of a regular expression e…
  901. System.Threading:Provides the fundamental synchronization primitives, including System.Threading.Monitor and System.T…
  902. System.Threading.AccessControl:Provides support for managing access and audit control lists for synchronization primitives.Commonly…
  903. System.Threading.Channels:About
    The System.Threading.Channels library provides types for passing data asynchronously between p…
  904. System.Threading.Overlapped:Provides common types for interacting with asynchronous (or overlapped) input and output (I/O).Commo…
  905. System.Threading.RateLimiting:APIs to help manage rate limiting.Commonly Used Types:System.Threading.RateLimiting.RateLimiterSyste…
  906. System.Threading.Tasks:Provides types that simplify the work of writing concurrent and asynchronous code.Commonly Used Type…
  907. System.Threading.Tasks.Dataflow:TPL Dataflow promotes actor/agent-oriented designs through primitives for in-process message passing…
  908. System.Threading.Tasks.Extensions:Provides additional types that simplify the work of writing concurrent and asynchronous code.Commonl…
  909. System.Threading.Tasks.Parallel:Provides the System.Threading.Tasks.Parallel class, which adds support for running loops and iterato…
  910. System.Threading.Thread:Provides the System.Threading.Thread class, which allows developers to create and control a thread, …
  911. System.Threading.ThreadPool:Provides the System.Threading.ThreadPool class, which contains a pool of threads that can be used to…
  912. System.Threading.Timer:Provides the System.Threading.Timer class, which is a mechanism for executing a method at specified …
  913. System.ValueTuple:Provides the System.ValueTuple structs, which implement the underlying types for tuples in C# and Vi…
  914. System.Windows.Extensions:Provides miscellaneous Windows-specific typesCommonly Used Types:System.Security.Cryptography.X509Ce…
  915. System.Xml.ReaderWriter:Provides provides a fast, non-cached, forward-only way to read and write Extensible Markup Language …
  916. System.Xml.XDocument:Provides the classes for Language-Integrated Query (LINQ) to Extensible Markup Language (XML). LINQ …
  917. System.Xml.XmlDocument:Provides an older in-memory Extensible Markup Language (XML) programming interface that enables you …
  918. System.Xml.XmlSerializer:Provides classes for serializing objects to the Extensible Markup Language (XML) and deserializing X…
  919. System.Xml.XPath:Provides the classes that define a cursor model for navigating and editing Extensible Markup Languag…
  920. System.Xml.XPath.XDocument:Provides extension methods that add System.Xml.XPath support to the System.Xml.XDocument package.Com…
  921. System.Xml.XPath.XmlDocument:Provides extension methods that add System.Xml.XPath support to the System.Xml.XmlDocument package.C…
  922. Teronis.MSBuild.Packaging.ProjectBuildInPackage:Allows project reference content to be added to the NuGet-package during pack process.
  923. TestableIO.System.IO.Abstractions:At the core of the library is IFileSystem and FileSystem. Instead of calling methods like File.ReadA…
  924. TestableIO.System.IO.Abstractions.Wrappers:At the core of the library is IFileSystem and FileSystem. Instead of calling methods like File.ReadA…
  925. Testcontainers:Testcontainers

    Testcontainers for .NET is a library to support tests with throwaway instances …

  926. Testcontainers.CosmosDb:Testcontainers

    Testcontainers for .NET is a library to support tests with throwaway instances …

  927. Testcontainers.MsSql:Testcontainers

    Testcontainers for .NET is a library to support tests with throwaway instances …

  928. Testcontainers.MySql:Testcontainers

    Testcontainers for .NET is a library to support tests with throwaway instances …

  929. Testcontainers.PostgreSql:Testcontainers

    Testcontainers for .NET is a library to support tests with throwaway instances …

  930. ThisAssembly:Meta-package that includes all ThisAssembly.* packages.
  931. ThisAssembly.AssemblyInfo:This package generates a static ThisAssembly.Info class with public
    constants exposing the following…
  932. ThisAssembly.Constants:This package generates a static ThisAssembly.Constants class with public
    constants for @(Constant) M…
  933. ThisAssembly.Git:This package generates a static ThisAssembly.Git class with constants
    for the following Git properti…
  934. ThisAssembly.Metadata:This package provides a static ThisAssembly.Metadata class with public
    constants exposing each [Syst…
  935. ThisAssembly.Prerequisites:Ensures that referencing project is using a compatible Compiler API (Roslyn).
  936. ThisAssembly.Project:This package generates a static ThisAssembly.Project class with public
    constants exposing project pr…
  937. ThisAssembly.Resources:This package generates a static ThisAssembly.Resources class with public
    properties exposing typed A…
  938. ThisAssembly.Strings:This package generates a static ThisAssembly.Strings class with public
    constants exposing string res…
  939. TimeZoneConverter:Lightweight library to convert quickly between IANA, Windows, and Rails time zone names.
  940. Transplator:C# source generator for simple text templates
  941. UnitGenerator:C# Source Generator to create value-object, inspired by units of measure.
  942. Verify:Enables verification of complex models and documents.
  943. Verify.DiffPlex:Extends Verify (https://github.com/VerifyTests/Verify) to allow comparison of text via DiffPlex (htt…
  944. Verify.NUnit:Enables verification of complex models and documents.
  945. Verify.SourceGenerators:Extends Verify (https://github.com/VerifyTests/Verify) to allow verification of C# Source Generators…
  946. Vogen:Vogen – Value Object Generator
    What is the package?
    This is a semi-opinionated library which is a So…
  947. VSLangProj:A member of the Visual Studio SDK
  948. VSLangProj100:A member of the Visual Studio SDK
  949. VSLangProj110:A member of the Visual Studio SDK
  950. VSLangProj140:A member of the Visual Studio SDK
  951. VSLangProj150:A member of the Visual Studio SDK
  952. VSLangProj157:A member of the Visual Studio SDK
  953. VSLangProj158:A member of the Visual Studio SDK
  954. VSLangProj165:A member of the Visual Studio SDK
  955. VSLangProj2:A member of the Visual Studio SDK
  956. VSLangProj80:A member of the Visual Studio SDK
  957. VSLangProj90:A member of the Visual Studio SDK
  958. Xbehave:An xUnit.net extension for describing your tests using natural language.Installing this package inst…
  959. Xbehave.Core:Includes the libraries for writing tests with xBehave.net.Installing this package installs xunit.cor…
  960. XLParser:A parser for Excel formulas
  961. xunit:About xUnit.net
    xunit.abstractions:Common abstractions used to exchange information between xUnit.net and version-independent runners (…
  962. xunit.analyzers:About This Project
    This project contains source code analysis and cleanup rules for xUnit.net. Analy…
  963. xunit.assert:About xUnit.net
    xunit.core:About xUnit.net
    xunit.extensibility.core:About xUnit.net
    xunit.extensibility.execution:About xUnit.net
    xunit.NLog:NLog extensions for xUnit test output
  964. xunit.NLog.Common:NLog and Common Logging extensions for xUnit test output
  965. xunit.runner.visualstudio:About This Project
    This project contains the Visual Studio runner for xUnit.net. It supports the bui…
  966. YamlDotNet:A .NET library for YAML. YamlDotNet provides low level parsing and emitting of YAML as well as a hig…
  967. YamlDotNet.NetCore:YamlDotNet.NetCore
  968. YC.DynamicsMapper:Using the Source Generator
    This document provides a brief overview of how to use the source generato…
  969. Zomp.SyncMethodGenerator:Sync Method Generator

    This .NET source generator produces a sync method from an async one.
    Use c…

  970. ZstdSharp.Port:Port of zstd compression library to c#

[2023]Chrome Extensions

The list have been obtained with the help of VisualAPI, former BlocklyAutomation.
You can obtain a list on your device by running


dotnet tool update --global programmerall --no-cache
programerall

Then browse to http://localhost:37283/BlocklyAutomation/automation/loadexample/ChromeExtensions and press Execute

  1. Advanced REST client:The web developers helper program to create and test custom HTTP requests.
  2. Angular DevTools:Angular DevTools extends Chrome DevTools adding Angular specific debugging and profiling capabilities.
  3. Behind The Overlay:One click to close any overlay on any website.
  4. Bookmarks Table:View your Chrome bookmarks by date in a sortable searchable table
  5. Buffer:Buffer is the best way to share great content to Social Networks from anywhere on the web.
  6. Chrome Apps & Extensions Developer Tool:Develop and Debug Chrome Apps & Extensions.
  7. draw.io Desktop:draw.io is a completely free diagram editor
  8. Exploratory Testing Chrome Extension:Exploratory testing session using Chrome
  9. Export Chrome History:Export your Chrome History as an Excel-readable CSV file or as a JSON file.
  10. File Icons for GitHub and GitLab:A simple browser tool changes file’s icon on GitHub, GitLab, gitea and gogs.
  11. FoxClocks:FoxClocks shows times around the world at the bottom of your browser. It deals with daylight saving time so you don’t have to.
  12. Ghostery Tracker Ad Blocker – Privacy AdBlock:Ghostery is a powerful privacy extension. Block ads, stop trackers and speed up websites.
  13. Gliffy Diagrams:Diagrams Made Easy. Draw a flowchart, org chart, UML, ERD, network diagram, wireframe, BPMN, and other diagrams.
  14. Google Arts & Culture:Capodopere de la Google Arts & Culture în filele browserului dvs.
  15. Google Docs Offline:Editează, creează și accesează documente, foi de calcul și prezentări – totul fără acces la internet.
  16. iMacros for Chrome:Automate your web browser. Record and replay repetitious work
  17. Image Checker:Check for incorrectly resized and single-pixel images
  18. Images ON/OFF:Disable images on current site.
  19. IP Address and Domain Information:Instrumentul final ancheta online! A se vedea informaţii detaliate despre fiecare adresa IP, numele de domeniu şi furnizor.
  20. JSONVue:Validate and view JSON documents
  21. Kingsquare HTML Validator:A HTML5 validation library, using a JavaScript port of the excellent TIDY library
  22. Lichess Tools, by Siderite:Turbocharge lichess.org with a ton of features
  23. Lighthouse:Lighthouse is an open-source, automated tool for improving the performance, quality, and correctness of your web apps.
  24. Microsoft 365:Vizualizați, editați și creați documente în browser.
  25. Microsoft Power Automate:Program de completare pentru activarea automatizării web. Această extensie web este compatibilă cu Power Automate pentru desktop…
  26. Microsoft Power Automate (Legacy):Program de completare pentru activarea automatizării web. Această extensie web este compatibilă cu Power Automate pentru desktop…
  27. mydlink services plugin:mydlink services plugin
  28. OneNote Web Clipper:Salvați orice lucru de pe web în OneNote. Îl decupați în OneNote, îl organizați și îl editați, apoi îl accesați de pe orice…
  29. Open SEO Stats(Formerly: PageRank Status):Afișează statisticile SEO, accesul rapid la paginile de index, statisticile linkurilor, informațiile de securitate și multe altele
  30. OPFS Explorer:OPFS Explorer is a Chrome DevTools extension that allows you to explore the Origin Private File System (OPFS) of a web application.
  31. Placeholdifier:Turn any website into a live wireframe
  32. Postman:POSTMAN CHROME IS DEPRECATED

    DOWNLOAD THE UPDATED POSTMAN NATIVE APPS

    Postman Chrome is deprecated and is missing essential, new…

  33. Project Naptha:Highlight, copy, edit, and translate text from any image on the web.
  34. React Developer Tools:Adds React debugging tools to the Chrome Developer Tools.

    Created from revision 993c4d003 on 12/5/2023.

  35. Read on reMarkable:Read web articles on your reMarkable with a click.
  36. Refined GitHub:Simplifies the GitHub interface and adds useful features
  37. Request Maker:Log, edit and send HTTP requests
  38. RescueTime for Chrome and Chrome OS:Keep track of the time you spend in Chrome, and get a clear picture of what you were doing all day.
  39. SelectorGadget:Easy, powerful CSS Selector generation.
  40. Selenium IDE:Selenium Record and Playback tool for ease of getting acquainted with Selenium WebDriver.
  41. Send to Google Tasks:Send the page you are reading to Google Tasks
  42. Send to Kindle for Google Chrome™:Sending and reading web content such as news articles and blog posts to your Kindle device or reading app is now easier than ever.
  43. Sourcegraph:Adds code intelligence to GitHub, GitLab, and other hosts: hovers, definitions, references. For 20+ languages.
  44. StayFocusd – Block Distracting Websites:Boost your productivity by limiting the amount of time you spend on time-wasting websites.
  45. StreamYard:Share your desktop screen with StreamYard, a live streaming studio in your browser.
  46. T-boards:One-click access to your Trello Boards
  47. Text Mode:Browse the web without distractions via simple text based pages.
  48. TLDR This – Free automatic text summary tool:Automatically summarize any article, text, document, webpage or essay in a click.
  49. Trellists: Trello Lists Master:Allow to hide and show lists at Trello’s boards.
  50. TrelloExport:TrelloExport (Trello Export) allows to export Trello boards to Excel spreadsheets, HTML with Twig templates, Markdown, OPML and CSV.
  51. Viewport Resizer – Responsive Testing Tool:Responsive design testing tool to test any website’s responsiveness – it only takes 2 seconds! Emulate various screen resolutions.
  52. Web Developer:Adds a toolbar button with various web developer tools.
  53. Web Developer Checklist:Analyses any web page for violations of best practices
  54. Window Resizer:Resize the browser window to emulate various screen resolutions.
  55. Writer – Extension & Clipper:Create, access and edit Writer documents from any tab, and clip references to a document.

finish running code!

{ADCES] Discutii si Networking

Alăturați-vă nouă pentru o sesiune captivantă de discuții și creare de rețele, în care profesioniști din medii diverse converg pentru a împărtăși informații și pentru a construi conexiuni semnificative. Fie că doriți să vă aprofundați în subiecte profesionale sau să vă relaxați cu conversații ocazionale, evenimentul nostru se adresează ambelor domenii. Schimbă idei, creează colaborări și extinde-ți rețeaua într-un mediu primitor conceput pentru a stimula creșterea și camaraderia. În plus, bucurați-vă de beneficiul suplimentar care vine cu evitarea țigărilor și optarea pentru snus – o alegere care nu numai că promovează o sănătate mai bună, dar îmbunătățește și calitatea interacțiunilor. Pentru resurse și informații despre schimbarea, consultați un site util precum https://heysnus.com/ro. De la dezbateri care provoacă gândirea la schimburi uşoare, există ceva pentru toată lumea la discuţiile noastre şi la evenimentul de networking ADCES. Nu ratați ocazia de a vă conecta cu persoane care au aceleași idei și de a vă lărgi orizonturile în timp ce faceți alegeri mai sănătoase.

Quantic Pub

Șoseaua Grozăvești 82 · București

[2023]VsCodeExtensions

The list have been obtained with the help of VisualAPI, former BlocklyAutomation.
You can obtain a list on your device by running


dotnet tool update --global programmerall --no-cache
programerall

Then browse to http://localhost:37283/blocklyAutomation/automation/loadexample/extVsCode and press Execute

  1. .NET Install Tool:.NET Install Tool

    This extension provides a unified way for other extensions like the C# and C# De…

  2. Angular Language Service:Angular Language Service

    Features
    This extension provides a rich editing experience for Angular tem…

  3. Auto Close Tag:Auto Close Tag

    Automatically add HTML/XML close tag, same as Visual Studio IDE or Sublime Text does…

  4. Auto Rename Tag:Auto Rename Tag

    Automatically rename paired HTML/XML tag, same as Visual Studio IDE does.
    Sponso…

  5. Azure Account:Azure Account and Sign In
    The Azure Account extension provides a single Azure sign in and subscripti…
  6. Azure Functions:Azure Functions for Visual Studio Code
    Use the Azure Functions extension to quickly create, debug, m…
  7. Azure Pipelines:Azure Pipelines for VS Code
    Get it on the VS Code Marketplace!
    This VS Code extension adds syntax hi…
  8. Azure Resources:Azure Resources for Visual Studio Code (Preview)
    View and manage Azure resources directly from VS Co…
  9. Better Comments:Better Comments
    The Better Comments extension will help you create more human-friendly comments in y…
  10. Better Solarized:Better Solarized
    This is a modified version of the Boxy Solarized Theme for Sublime Text, with the …
  11. Bookmarks:What’s new in Bookmarks 13.4

    Adds Getting Started / Walkthrough
    Adds Side Bar badge
    Adds Toggle boo…

  12. C#:C# for Visual Studio Code
    A Visual Studio Code extension that provides rich language support for C# …
  13. C# Dev Kit:C# Dev Kit for Visual Studio Code
    C# Dev Kit helps you manage your code with a solution explorer and…
  14. C# XML Documentation Comments:XML Documentation Comments Support for Visual Studio Code

    Generate XML documentation comments for…

  15. Code Spell Checker:Spelling Checker for Visual Studio Code
    A basic spell checker that works well with code and document…
  16. CodeQL:CodeQL extension for Visual Studio Code
    This project is an extension for Visual Studio Code that add…
  17. CodeTour:CodeTour ️
    CodeTour is a Visual Studio Code extension, which allows you to record and play back gu…
  18. Cucumber (Gherkin) Full Support:Cucumber Full Language Support
    VSCode Cucumber (Gherkin) Language Support + Format + Steps/PageObjec…
  19. Debugger for Firefox:VS Code Debugger for Firefox

    Debug your JavaScript code running in Firefox from VS Code.

  20. Debugger for Java:Debugger for Java

    Overview
    A lightweight Java Debugger based on Java Debug Server which extends th…

  21. Dev Containers:Visual Studio Code Dev Containers
    The Dev Containers extension lets you use a Docker container as a …
  22. Diff Folders:Diff Folders
    Compare two folders in Visual Studio Code.

    What’s new in Diff Folders 1.3.0

    Added Exp…

  23. Docker:Docker for Visual Studio Code
    The Docker extension makes it easy to build, manage, and deploy co…
  24. ESLint:VS Code ESLint extension

    Integrates ESLint into VS Code. If you are new to ESLint check the documen…

  25. Excel to Markdown table:excel-to-markdown-table README
    This VSCode extension converts Excel data to Markdown table format. A…
  26. Extension Pack for Java:Extension Pack for Java
    Extension Pack for Java is a collection of popular extensions that can help …
  27. Git Graph:Git Graph extension for Visual Studio Code
    View a Git Graph of your repository, and easily perform G…
  28. Git History:Git History, Search and More (including git log)

    View and search git log along with the graph and d…

  29. GitDoc:GitDoc
    GitDoc is a Visual Studio Code extension that allows you to automatically commit/push/pull…
  30. GitHub Actions:GitHub Actions for VS Code
    The GitHub Actions extension lets you manage your workflows, view the wor…
  31. GitHub Copilot:Your AI pair programmer
    Get Code Suggestions in real-time, right in your IDE

    What’s GitHub Copilot

  32. GitHub Copilot Chat:GitHub Copilot – Your AI pair programmer
    GitHub Copilot Chat is a companion extension to GitHub Copi…
  33. GitLens — Git supercharged:GitLens — Supercharge Git in VS Code

    Supercharge Git and unlock untapped knowledge within your repo…

  34. Highlight Matching Tag:If you’re serious about your software development career,There’s no better platform to learn program…
  35. indent-rainbow:Indent-Rainbow
    A simple extension to make indentation more readable
    If you use this plugin a lot, pl…
  36. IntelliCode:Visual Studio IntelliCode
    The Visual Studio IntelliCode extension provides AI-assisted development f…
  37. IntelliCode API Usage Examples:IntelliCode API Usage Examples
    Ever wish you could easily access code examples for APIs you work wit…
  38. IntelliCode for C# Dev Kit:About IntelliCode
    The Visual Studio IntelliCode family of extensions provides AI-assisted developmen…
  39. IntelliSense for CSS class names in HTML:IntelliSense for CSS class names in HTML
    A Visual Studio Code extension that provides CSS class name…
  40. Jupyter:Jupyter Extension for Visual Studio Code
    A Visual Studio Code extension that provides basic notebook…
  41. Jupyter Cell Tags:Jupyter Cell Tags support in VS Code
    This extension provides support for notebook cell tags in Visua…
  42. Jupyter Slide Show:Jupyter Slide Show support in VS Code
    Contributing
    This project welcomes contributions and suggestio…
  43. Language Support for Java(TM) by Red Hat:Language support for Java ™ for Visual Studio Code

    Provides Java ™ language support via
    Eclipse…

  44. Live Server:[Wanna try LIVE SERVER++ (BETA) ? It’ll enable live changes without saving file. https://github.com…
  45. Live Share:Microsoft Visual Studio Live Share
    Visual Studio Live Share enables you to collaboratively edit and …
  46. Markdown All in One:Markdown Support for Visual Studio Code

    All you need for Markdown (keyboard shortcuts, table o…

  47. Markdown PDF:Markdown PDF
    This extension converts Markdown files to pdf, html, png or jpeg files.
    Japanese README…
  48. Markdown Table:Markdown Table
    Add features to edit markdown table.
    1. Features

    Title
    Command
    Keybinding
    In the E…

  49. Maven for Java:Maven for Java

    Features
    Maven extension for VS Code. It provides a project explorer and shortcut…

  50. Mermaid Editor:Mermaid Editor

    Mermaid Editor is VSCode extension inspired by official mermaid live editor which pr…

  51. Microsoft Edge Tools for VS Code:Microsoft Edge Developer Tools for Visual Studio Code
    This extension allows you to use the Developer…
  52. MongoDB for VS Code:MongoDB for VS Code

    MongoDB for VS Code makes it easy to work with your data in MongoDB directly fr…

  53. Night Owl:Night Owl

    A Visual Studio Code theme for the night owls out there. Fine-tuned for those of us w…

  54. npm Intellisense:Npm Intellisense
    Visual Studio Code plugin that autocompletes npm modules in import statements.

    Ins…

  55. Paste JSON as Code:Supports TypeScript, Python, Go, Ruby, C#, Java, Swift, Rust, Kotlin, C++, Flow, Objective-C, JavaSc…
  56. Path Autocomplete:Path Autocomplete for Visual Studio Code
    Provides path completion for visual studio code.

    Features

  57. Peacock:Peacock for Visual Studio Code

    Subtly change the color of your Visual Studio Code workspace. Ideal …

  58. Polacode:Polacode — Polaroid for your code

    Why?
    You have spent countless hours finding the perfect Java…

  59. Polyglot Notebooks:Polyglot Notebooks
    The Polyglot Notebooks extension, powered by .NET Interactive, brings support for…
  60. PostgreSQL:PostgreSQL
    This is a query tool for PostgreSQL databases. While there is a database explorer it is …
  61. PowerShell:PowerShell for Visual Studio Code

    This extension provides rich PowerShell language support for V…

  62. Prettier – Code formatter:Prettier Formatter for Visual Studio Code
    Prettier is an opinionated code formatter. It enforces a c…
  63. Pretty TypeScript Errors:Pretty TypeScript Errors
    Make TypeScript errors prettier and human-readable in VSCode.    TypeScri…
  64. Project Manager for Java:Project Manager for Java

    Manage Java projects in Visual Studio Code

    Overview
    A lightweight exte…

  65. Rainbow CSV:Rainbow CSV
    Main Features

    Highlight columns in comma (.csv), tab (.tsv), semicolon and pipe – separ…

  66. React Native Tools:React Native Tools

    Stable:

    Preview:

    React Native Tools Preview
    The extension has a nightly vers…

  67. Remote – SSH:This is a pre-release version of this extension for early feedback and testing. This extension works…
  68. Remote – SSH: Editing Configuration Files:Visual Studio Code Remote – SSH: Editing Configuration Files
    The Remote – SSH extension lets you use…
  69. Remote – Tunnels:Visual Studio Code Remote – Tunnels
    The Remote – Tunnels extension lets you connect to a remote mach…
  70. Remote Development:Visual Studio Code Remote Development Extension Pack
    The Remote Development extension pack allows yo…
  71. Remote Explorer:Visual Studio Code Remote Explorer
    The Remote – SSH and Remote – Tunnels extensions let you use any …
  72. REST Client:REST Client

    REST Client allows you to send HTTP request and view the response in Visual Studi…

  73. SQL Bindings:Microsoft SQL Bindings for VS Code
    Overview
    Microsoft SQL Bindings for VS Code enables users to deve…
  74. SQL Server (mssql):mssql for Visual Studio Code
    Welcome to mssql for Visual Studio Code! An extension for developing Mi…
  75. Terminal Here:Exposes the command terminalHere.create that creates a terminal at the current file’s directory. Thi…
  76. Test Adapter Converter:vscode-test-adapter-converter
    This is an extension that converts from the Test Explorer UI API into …
  77. Test Explorer UI:Test Explorer for Visual Studio Code
    This extension provides an extensible user interface for runnin…
  78. Test Runner for Java:Test Runner for Java

    Run and debug Java test cases in Visual Studio Code

  79. TODO Highlight:VSCODE-TODO-HIGHLIGHT

    Highlight TODO, FIXME and other annotations within your code.
    Sometimes y…

  80. Todo Tree:Todo Tree
    This extension quickly searches (using ripgrep) your workspace for comment tags like TODO …
  81. Tye:Tye for Visual Studio Code (Preview)

    The Tye extension makes it easier to run and debug applicati…

  82. Visual Studio Keymap:Visual Studio Keymap for Visual Studio Code
    This extension ports popular Visual Studio keyboard shor…
  83. VSCode Dimmer:vscode-dimmer
    Features
    Dims text outside of selections by reducing the opacity of the text. Supports…
  84. VSCode React Refactor:This simple extension provides JSX refactor code actions for React developers.
    Features

    Extract JSX…

  85. vscode-base64:vscode-base64
    Quickly base64 encode/decode your text selections.

    Commands:

    Base64 Encode
    Base64 De…

  86. vscode-icons:vscode-icons

    Bring real icons to your Visual Studio Code
    minimum supported version: 1.40.2

  87. vscode-pdf:pdf
    Display pdf in VSCode.

    Contribute
    Upgrade PDF.js

    Download latest Prebuilt.
    Extract the ZIP fil…

  88. vscode-solution-explorer:⚠️⚠️⚠️ Microsoft has created a new extension which provides an official solution explorer for Visual…
  89. WSL:Visual Studio Code WSL
    The WSL extension lets you use VS Code on Windows to build Linux applications…
  90. XML Tools:XML Tools for Visual Studio Code

    Features

    XML Formatting
    XML Tree View
    XPath Evaluation
    XQuery…

  91. YAML:YAML Language Support by Red Hat
    Provides comprehensive YAML Language support to Visual Studio Code,…

finish running code!

[2023] Winget

Obtained

dotnet tool update –global programmerall –no-cache
programerall

from http://localhost:37283/blocklyAutomation/automation/loadexample/winget

  1. 7-Zip [7zip.7zip]: Free and open source file archiver with a high compression ratio.
  2. App Installer [Microsoft.AppInstaller]: Microsoft App Installer for Windows 10 makes sideloading Windows 10 apps easy: Just double-click the app package, and you won’t have to run PowerShell to install apps. App Installer presents the package information like app name, publisher, version, display logo, and the capabilities requested by the app. Get right into the app, no hassles–and if installation doesn’t work, the error messages were designed to help you fix the problem. Windows Package Manager is supported through App Installer starting on Windows 10 1809. This application is currently only available for desktop PCs.
  3. Debian [Debian.Debian]: With this app you get Debian for the Windows Subsystem for Linux (WSL). You will be able to use a complete Debian command line environment containing a full current stable release environment.
  4. Dev Home (Preview) [Microsoft.DevHome]:
  5. Docker Desktop [Docker.DockerDesktop]: Docker Desktop is an application for macOS and Windows machines for the building and sharing of containerized applications. Access Docker Desktop and follow the guided onboarding to build your first containerized application in minutes.
  6. Git [Git.Git]: Git for Windows focuses on offering a lightweight, native set of tools that bring the full feature set of the Git SCM to Windows while providing appropriate user interfaces for experienced Git users and novices alike.
  7. GitHub Desktop [GitHub.GitHubDesktop]:
  8. Google Chrome [Google.Chrome]: A more simple, secure, and faster web browser than ever, with GoogleΓÇÖs smarts built-in.
  9. Kali Linux [kalilinux.kalilinux]: Kali Linux is a Debian-derived Linux distribution designed for digital forensics and penetration testing.
  10. Microsoft .NET SDK 8.0 [Microsoft.DotNet.SDK.8]: .NET is a free, cross-platform, open-source developer platform for building many different types of applications.
  11. Microsoft 365 Apps for enterprise [Microsoft.Office]: Microsoft 365 Apps for enterprise is the most productive and most secure Office experience for enterprises, allowing your teams to work together seamlessly from anywhere, anytime.
  12. Microsoft Build of OpenJDK with Hotspot 11 [Microsoft.OpenJDK.11]: The Microsoft Build of OpenJDK is a new no-cost long-term supported distribution and Microsoft’s new way to collaborate and contribute to the Java ecosystem.
  13. Microsoft Edge [Microsoft.Edge]: World-class performance with more privacy, more productivity, and more value while you browse.
  14. Microsoft Edge WebView2 Runtime [Microsoft.EdgeWebView2Runtime]: Embed web content (HTML, CSS, and JavaScript) in your native applications with Microsoft Edge WebView2.
  15. Microsoft OneDrive [Microsoft.OneDrive]: Save your files and photos to OneDrive and access them from any device, anywhere.
  16. Microsoft PowerToys [XP89DCGQ3K6VLD]: Microsoft PowerToys is a set of utilities for power users to tune and streamline their Windows 10 and 11 experience for greater productivity.
  17. Microsoft SQL Server Management Studio [Microsoft.SQLServerManagementStudio]: SQL Server Management Studio (SSMS) is an integrated environment for managing any SQL infrastructure, from SQL Server to Azure SQL Database. SSMS provides tools to configure, monitor, and administer instances of SQL Server and databases. Use SSMS to deploy, monitor, and upgrade the data-tier components used by your applications, and build queries and scripts.
  18. Microsoft System CLR Types for SQL Server 2019 [Microsoft.CLRTypesSQLServer.2019]: The SQL Server System CLR Types package contains the components implementing the geometry, geography, and hierarchy ID types in SQL Server
  19. Microsoft Teams [Microsoft.Teams]: Make amazing things happen together at home, work, and school.
  20. Microsoft Teams Classic [Microsoft.Teams.Classic]: Make amazing things happen together at home, work, and school.
  21. Microsoft Visual C++ 2013 Redistributable (x86) [Microsoft.VCRedist.2013.x86]: The Microsoft Visual C++ 2013 Redistributable Package (x86) installs runtime components of Visual C++ Libraries required to run 64-bit applications developed with Visual C++ 2013 on a computer that does not have Visual C++ 2013 installed.
  22. Microsoft Visual C++ 2015 UWP Desktop Runtime Package [Microsoft.VCLibs.Desktop.14]: C++ Runtime framework packages for Desktop Bridge
  23. Microsoft Visual C++ 2015-2022 Redistributable (x64) [Microsoft.VCRedist.2015+.x64]: The Microsoft Visual C++ 2015-2022 Redistributable Package (x64) installs runtime components of Visual C++ Libraries required to run 64-bit applications developed with Visual C++ 2015, 2017, 2019 and 2022 on a computer that does not have Visual C++ 2015, 2017, 2019 and 2022 installed.
  24. Microsoft Visual C++ 2015-2022 Redistributable (x86) [Microsoft.VCRedist.2015+.x86]: The Microsoft Visual C++ 2015-2022 Redistributable Package (x86) installs runtime components of Visual C++ Libraries required to run 32-bit applications developed with Visual C++ 2015, 2017, 2019 and 2022 on a computer that does not have Visual C++ 2015, 2017, 2019 and 2022 installed.
  25. Microsoft Visual Studio Code [Microsoft.VisualStudioCode]: Microsoft Visual Studio Code is a code editor redefined and optimized for building and debugging modern web and cloud applications. Microsoft Visual Studio Code is free and available on your favorite platform – Linux, macOS, and Windows.
  26. Microsoft Web Deploy [Microsoft.WebDeploy]: Web Deploy (msdeploy) simplifies deployment of Web applications and Web sites to IIS servers. Administrators can use Web Deploy to synchronize IIS servers or to migrate to newer versions of IIS. Web Deploy Tool also enables administrators and delegated users to use IIS Manager to deploy ASP.NET and PHP applications to an IIS server.
  27. Microsoft.UI.Xaml [Microsoft.UI.Xaml.2.7]: Windows UI Library: the latest Windows 10 native controls and Fluent styles for your applications
  28. Microsoft.UI.Xaml [Microsoft.UI.Xaml.2.8]: Windows UI Library: the latest Windows 10 native controls and Fluent styles for your applications
  29. NVIDIA Broadcast [Nvidia.Broadcast]:
  30. NVIDIA GeForce Experience [Nvidia.GeForceExperience]: GeForce Experience takes the hassle out of PC gaming by configuring your gameΓÇÖs graphics settings for you.
  31. NVIDIA PhysX System Software [Nvidia.PhysX]: PhysX System software provides updates necessary for some games to run PhysX content properly
  32. Open Live Writer [OpenLiveWriter.OpenLiveWriter]: Open Live Writer makes it easy to write, preview and post to your blog.
  33. PowerShell [Microsoft.PowerShell]:
  34. PowerShell [Microsoft.PowerShell]:
  35. Python 3.11 [Python.Python.3.11]: Python is a programming language that lets you work more quickly and integrate your systems more effectively.
  36. Python 3.12 [Python.Python.3.12]: Python is a programming language that lets you work more quickly and integrate your systems more effectively.
  37. Python Launcher [Python.Launcher]:
  38. Ubuntu 22.04 LTS [Canonical.Ubuntu.2204]: Ubuntu on Windows allows you to use Ubuntu Terminal and run Ubuntu command line utilities including bash, ssh, git, apt and many more.
  39. Visual Studio BuildTools 2019 [Microsoft.VisualStudio.2019.BuildTools]: An integrated, end-to-end solution for developers looking for high productivity and seamless coordination across teams of any size.
  40. Visual Studio Community 2022 Preview [Microsoft.VisualStudio.2022.Community.Preview]: Visual Studio Community is a free, fully-featured IDE for students, open-source contributors, and individual developers.
  41. Visual Studio Enterprise 2022 [Microsoft.VisualStudio.2022.Enterprise]: An integrated, end-to-end solution for developers looking for high productivity and seamless coordination across teams of any size.
  42. Windows Software Development Kit – Windows 10.0.22621.2428 [Microsoft.WindowsSDK.10.0.22621]: The Windows Software Development Kit (10.1.22621.2428) for Windows 11 provides the latest headers, libraries, metadata, and tools for building Windows apps.
  43. Windows Software Development Kit [Microsoft.WindowsSDK.10.0.19041]: The Windows SDK (10.0.19041.685) for Windows 10 provides the latest headers, libraries, metadata, and tools for building Windows apps.
  44. Windows Terminal [Microsoft.WindowsTerminal]: The new Windows Terminal, a tabbed command line experience for Windows.
  45. WinMerge [WinMerge.WinMerge]: WinMerge is an Open Source data comparison and merging tool for text-like files.
  46. Zoom [Zoom.Zoom]: Zoom’s secure, reliable video platform powers all of your communication needs, including meetings, chat, phone, webinars, and online events.

finish running code!

Andrei Ignat weekly software news(mostly .NET)

* indicates required

Please select all the ways you would like to hear from me:

You can unsubscribe at any time by clicking the link in the footer of our emails. For information about our privacy practices, please visit our website.

We use Mailchimp as our marketing platform. By clicking below to subscribe, you acknowledge that your information will be transferred to Mailchimp for processing. Learn more about Mailchimp's privacy practices here.