Ecosyste.ms: Awesome
An open API service indexing awesome lists of open source software.
https://github.com/tom-englert/RoslynAnalyzerCookbook
A demo project showing how to add custom analyzers to a solution
https://github.com/tom-englert/RoslynAnalyzerCookbook
Last synced: 5 days ago
JSON representation
A demo project showing how to add custom analyzers to a solution
- Host: GitHub
- URL: https://github.com/tom-englert/RoslynAnalyzerCookbook
- Owner: tom-englert
- License: mit
- Created: 2023-03-05T16:32:52.000Z (over 1 year ago)
- Default Branch: main
- Last Pushed: 2024-05-03T13:49:28.000Z (6 months ago)
- Last Synced: 2024-10-31T21:51:43.183Z (11 days ago)
- Language: C#
- Size: 74.2 KB
- Stars: 5
- Watchers: 3
- Forks: 0
- Open Issues: 0
-
Metadata Files:
- Readme: README.md
- License: LICENSE
Awesome Lists containing this project
README
# Roslyn Analyzer Cookbook
This repository is a demo project showing how create custom Roslyn analyzers.
It focuses on how to add custom analyzers to a solution, which enforce custom rules and design patterns that apply only to a specific solution, without the need to create a package or extension.
However most of the topics also apply when generating an analyzer package or extension, and will be also useful in this scenarios.
It uses the [RoslynAnalyzerTesting.CSharp.Extensions](https://github.com/tom-englert/RoslynAnalyzerTesting.CSharp.Extensions) package to
simplify the testing scaffold and to workaround some issues of the V1.1.1 analyzer testing SDK with Roslyn 4.x## Points of interest
- Using [RoslynAnalyzerTesting.CSharp.Extensions](https://github.com/tom-englert/RoslynAnalyzerTesting.CSharp.Extensions) package to ease testing.
- [Referencing NuGet packages](#referencing-a-nuget-package) in the test code, automated by MSBuild.
- [Integration of the analyzers into the solution](#integrate-the-analyzer-in-the-solution) without the need to create a package or install a Visual Studio extension.
- [Pitfalls](#pitfalls) to avoid.## Use cases
- [Diagnostic analyzer to conditionally enforce coding rules](#use-case-1)
- [Supression analyzers to suppress warnings depending on the context](#use-case-2)## Use case #1
Enforce that every property that has a `[Text]` attribute also has a `[Description]` attribute, by showing a warning,
so e.g. a basic user documentation can be generated automatically for dedicated properties using reflection.> In real life the will be probably a more specific attribute than a simple `[Text]`, this is just used to make this sample more universal.
### Add the scaffold for the analyzer to the solution
In the first step the scaffold for the analyzers and the corresponding tests will be added to the solution.
> Using the "Analyzer with Code Fix" template adds too much unused stuff, with problematic defaults, so it's better to start from scratch with sanitized test verifiers and the [RoslynAnalyzerTesting.CSharp.Extensions](https://github.com/tom-englert/RoslynAnalyzerTesting.CSharp.Extensions) package.
#### Add an empty project "SolutionAnalyzer":
```xml
netstandard2.0
false
```
snippet source#### Add an empty project "SolutionAnalyzer.Test"
```xml
```
snippet source### Add the analyzer and the corresponding unit test
#### Define the diagnostic descriptor
> It's a good practice to keep the definition of all descriptors in one place, so you don't
> loose track of the id's when having more than one analyzer in the project.
> Also it's easier to reference the descriptors in the tests.
```cs
public static class Diagnostics
{
private const string Category = "Custom";public static readonly DiagnosticDescriptor TextPropertyHasNoDescription = new("CUS001",
"Property with Text attribute has no description",
"Property {0} has a Text attribute but no Description attribute",
Category,
DiagnosticSeverity.Error, isEnabledByDefault: true);
```
snippet source | anchor#### Add an empty analyzer class to the analyzer project
```cs
[DiagnosticAnalyzer(LanguageNames.CSharp)]
public class EnforceDescriptionAnalyzer : DiagnosticAnalyzer
{
public override ImmutableArray SupportedDiagnostics { get; } = ImmutableArray.Create(Diagnostics.TextPropertyHasNoDescription);
```
snippet source | anchor#### Add a basic test with a minimal class as source code.
```cs
using Test = CSharpAnalyzerTest;
using static ReferenceAssemblies.Net;[TestClass]
public class EnforceDescriptionAnalyzerTest
{
[TestMethod]
public async Task CompilationDoesNotGenerateErrors()
{
const string source = """
namespace MyApp;
class TypeName
{
int SomeProperty { get; set; }
}
""";await new Test { TestCode = source }.RunAsync();
}
```
snippet source | anchor### Update the unit test to reflect the use case
Now add the `Text` attribute to the properties of the test source:
```cs
const string source = """
using System.ComponentModel;
using TomsToolbox.Essentials;
namespace MyApp;
class TypeName
{
[Text("Key", "Value")]
int {|#0:BadProperty|} { get; set; }[Description("Some description")]
[Text("Key", "Value")]
string? {|#1:GoodProperty|} { get; set; }int AnotherProperty { get; set; }
}
""";
```
snippet source | anchor#### Referencing a NuGet package
The problem here is that the `Text` property is defined in a NuGet package, and the test now fails, reporting compiler errors for the test source.To fix this a reference to this missing package must be added in the test compilation.
Of course the reference should point to the same package with the same version as referenced by the project;
now the `PackageIdentity ` type needed to specify a package only accepts a string for package name and version,
and specifying these hard coded in the source code is duplication and not a good practice.A solution is to auto-generate a code snippet with all referenced package of the project, so it will be synchronized with the project automatically.
It will be done by adding this build target to the test project:
Microsoft|MSTest|NuGet
<_GPRLine Include="// ReSharper disable All" />
<_GPRLine Include="using Microsoft.CodeAnalysis.Testing%3B%0D%0A" />
<_GPRLine Include="[System.CodeDom.Compiler.GeneratedCode("MSBuild", null)]" />
<_GPRLine Include="internal static class PackageReference" />
<_GPRLine Include="{" />
<_GPRLine Include="%20%20%20%20public static readonly PackageIdentity $([System.String]::Copy("%(PackageReference.Identity)").Replace(".", "_")) = new("%(PackageReference.Identity)", "%(PackageReference.Version)")%3B"
Condition="('$(ExcludeFromPackageReferenceSource)'=='' OR !$([System.Text.RegularExpressions.Regex]::IsMatch(%(PackageReference.Identity), $(ExcludeFromPackageReferenceSource), RegexOptions.IgnoreCase))) AND '%(PackageReference.PrivateAssets)'!='All'" />
<_GPRLine Include="}" />
```
snippet source | anchorThis will translate all `PackageReference` items in the project to a corresponding entry in the `PackageRefrence` class, so after the next build the file `PackageRefrence.cs` will look like this:
```cs
// ReSharper disable All
using Microsoft.CodeAnalysis.Testing;[System.CodeDom.Compiler.GeneratedCode("MSBuild", null)]
internal static class PackageReference
{
public static readonly PackageIdentity AnalyzerTesting_CSharp_Extensions = new("AnalyzerTesting.CSharp.Extensions", "1.1.2");
public static readonly PackageIdentity TomsToolbox_Essentials = new("TomsToolbox.Essentials", "2.14.0");
}
```
snippet source | anchorSo now the package reference can be added to the test compilation:
```cs
ReferenceAssemblies = ReferenceAssemblies.Net.Net60.AddPackages(PackageReference.TomsToolbox_Essentials);
```Now the test succeeds again, so the test framework is set up properly.
Next step is to reflect the requirements of the use case, so the tests fails because the analyzer has no implementation yet.
### Update the test to reflect the use case
There should be an error reported for the `BadProperty`, since it has a `Text` but no `Description` attribute,
so this behavior will be enforced in the test:
```cs
await new Test
{
TestCode = source,
ReferenceAssemblies = Net60.AddPackages(PackageReference.TomsToolbox_Essentials),
ExpectedDiagnostics =
{
Diagnostics.TextPropertyHasNoDescription.AsResult().WithArguments("BadProperty").WithLocation(0)
},
}.RunAsync();
```
snippet source | anchorNow the test fails, because the analyzer is still empty, and does not generate the desired warnings yet,
so finally the analyzer can be implemented using TDD.### Implement the analyzer
Since the use case is not too complex, the analyzer implementation is lightweight, too:
```cs
public override void Initialize(AnalysisContext context)
{
context.EnableConcurrentExecution();
context.ConfigureGeneratedCodeAnalysis(GeneratedCodeAnalysisFlags.None);context.RegisterSymbolAction(AnalyzeSymbol, SymbolKind.Property);
}private static void AnalyzeSymbol(SymbolAnalysisContext context)
{
var property = (IPropertySymbol)context.Symbol;var attributes = property.GetAttributes();
if (!attributes.Any(attr => attr.AttributeClass?.Name == "TextAttribute"))
return;if (attributes.Any(attr => attr.AttributeClass?.Name == "DescriptionAttribute"))
return;context.ReportDiagnostic(Diagnostic.Create(Diagnostics.TextPropertyHasNoDescription, property.Locations.First(), property.Name));
}
```
snippet source | anchorIt registers a symbol action to analyze all properties, and checks if the attributes are set according to the requirement.
Now the test succeeds, so the analyzer is working correctly.
Last step is to integrate the analyzer in the solution, so it is active in every project.
### Integrate the analyzer in the solution
To use the analyzer in any project, a reference to the analyzer project needs to be added, and the project output needs to be declared as `Analyzer`.
Since the analyzer should be referenced by any project of the solution, it's a good idea to add the reference in the `Directory.Build.Props` file, and exclude the analyzer project by a condition to avoid circular references.
```
snippet source | anchor## Use case #2
In the project the [Nullable.Extended.Analyzer](https://github.com/tom-englert/Nullable.Extended) is used to force documentation of the
usage of the null forgiving symbol.Since it's a standard pattern to initialize an init-only property with `default!`, no extra documentation is needed and the warning should be suppressed.
### Add the scaffold for the suppression analyzer
As a first step the scaffold is added to the solution:
#### Define the diagnostic descriptor
```cs
public static readonly SuppressionDescriptor SuppressNullForgivingWarning = new("CUS002",
"NX0004",
"Null forgiving is a standard pattern for init only properties");
```
snippet source | anchor#### Add an empty analyzer
```cs
[DiagnosticAnalyzer(LanguageNames.CSharp)]
public class SuppressNullForgivingWarningAnalyzer : DiagnosticSuppressor
{
private static readonly SuppressionDescriptor SuppressionDescriptor = Diagnostics.SuppressNullForgivingWarning;public override ImmutableArray SupportedSuppressions { get; } =
ImmutableArray.Create(SuppressionDescriptor);
```
snippet source | anchor#### Add the test scaffold
```cs
using Test = CSharpDiagnosticSuppressorTest;
using static ReferenceAssemblies.Net;[TestClass]
public class SuppressNullForgivingWarningTest
{
[TestMethod]
public async Task CompilationDoesNotGenerateErrors()
{
const string source = """
class Test
{
string InitOnly { get; init; } = default;
}
""";await new Test
{
TestCode = source,
ReferenceAssemblies = Net60,
SolutionTransforms = { WithProjectCompilationOptions(o => o.WithNullableContextOptions(NullableContextOptions.Disable)) }
}
.RunAsync();
}
```
snippet source | anchor### Prepare the test to include the analyzer with the diagnostic to suppress
At next the test needs to know about the diagnostic that should be suppressed.
Additionally to the package reference the assembly of the analyzer needs to be referenced, too, so the analyzer is available at the test's runtime:
```
snippet source | anchorImplement the test for the suppressor:
```cs
private static readonly NullForgivingDetectionAnalyzer NullForgivingDetectionAnalyzer = new();
private static readonly DiagnosticDescriptor Nx0002 = NullForgivingDetectionAnalyzer.SupportedDiagnostics.Single(item => item.Id == "NX0002");
private static readonly DiagnosticDescriptor Nx0004 = NullForgivingDetectionAnalyzer.SupportedDiagnostics.Single(item => item.Id == "NX0004");[TestMethod]
public async Task NullForgivingWarningIsSuppressedForInitOnlyProperties()
{
const string source = """
class Test
{
string? InitOnly { get; init; } = default{|#0:!|};
string Normal { get; set; } = default{|#1:!|};
}
""";await new Test
{
TestCode = source,
ReferenceAssemblies = Net60.AddPackages(PackageReference.TomsToolbox_Essentials),
ExpectedDiagnostics =
{
Nx0004.AsResult().WithLocation(0).WithArguments("InitOnly").WithIsSuppressed(true),
Nx0002.AsResult().WithLocation(1).WithArguments("Normal").WithIsSuppressed(false)
}
}
.RunAsync();
}
```
snippet source | anchorAnd based on the test the suppression analyzer can be implemented:
```cs
public override void ReportSuppressions(SuppressionAnalysisContext context)
{
var cancellationToken = context.CancellationToken;foreach (var diagnostic in context.ReportedDiagnostics)
{
if (diagnostic is not
{
Location:
{
SourceTree: { } sourceTree,
SourceSpan: var sourceSpan
}
})
continue;var root = sourceTree.GetRoot(cancellationToken);
var elementNode = root.FindNode(sourceSpan);
if (elementNode.Parent is not EqualsValueClauseSyntax { Parent: PropertyDeclarationSyntax propertyDeclaration })
continue;if (propertyDeclaration.AccessorList?.Accessors.Any(item => item.IsKind(SyntaxKind.InitAccessorDeclaration)) == true)
{
context.ReportSuppression(Suppression.Create(SuppressionDescriptor, diagnostic));
}
}
}
```
snippet source | anchor## Pitfalls
### Analyzer seems to be not functional
When referencing a project as analyzer, the analyzer assembly will be loaded into the appdomain of Visual Studio and thus can't be updated.
So while changes to the analyzer immediately show up in the build process, the Visual Studio UI got stuck with the old analyzer and may show nothing or false positives.
In this case the Visual Studio process must be restarted to make changes to the analyzer also show up in the Visual Studio UI.
### My test code generates unexpected errors
Sometimes it may happen that there are lots of unexpected errors when running a test, e.g.
`error CS0246: The type or namespace name 'System' could not be found (are _you missing a using directive or an assembly reference?)`
This may be due to a corrupt nuget cache.
The framework reference assemblies are downloaded as nuget packages to the `%TEMP%\test-packages` folder.
When e.g. a test is interrupted while a package is still downloading, this cache might get corrupt.To fix this, delete the complete folder, and re-run the tests.