File: CSharpAssemblyDocumentGenerator.cs
Web Access
Project: ..\..\..\src\Compatibility\GenAPI\Microsoft.DotNet.GenAPI\Microsoft.DotNet.GenAPI.csproj (Microsoft.DotNet.GenAPI)
// Licensed to the .NET Foundation under one or more agreements.
// The .NET Foundation licenses this file to you under the MIT license.
 
using System.Collections.Immutable;
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Xml.Linq;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CodeStyle;
using Microsoft.CodeAnalysis.CSharp;
using Microsoft.CodeAnalysis.CSharp.Formatting;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.Editing;
using Microsoft.CodeAnalysis.Formatting;
using Microsoft.CodeAnalysis.Options;
using Microsoft.CodeAnalysis.Simplification;
using Microsoft.DotNet.ApiSymbolExtensions;
using Microsoft.DotNet.ApiSymbolExtensions.Logging;
 
namespace Microsoft.DotNet.GenAPI;
 
/// <summary>
/// A class that generates the C# document and syntax trees of a specified collection of assemblies.
/// </summary>
public sealed class CSharpAssemblyDocumentGenerator
{
    private readonly ILog _log;
    private readonly CSharpAssemblyDocumentGeneratorOptions _options;
    private readonly AdhocWorkspace _adhocWorkspace;
    private readonly SyntaxGenerator _syntaxGenerator;
    private readonly CSharpCompilationOptions _compilationOptions;
 
    /// <summary>
    /// Initializes a new instance of the <see cref="CSharpAssemblyDocumentGenerator"/> class.
    /// </summary>
    /// <param name="log">The logger to use.</param>
    /// <param name="options">The options to configure the generator.</param>
    public CSharpAssemblyDocumentGenerator(ILog log, CSharpAssemblyDocumentGeneratorOptions options)
    {
        _log = log;
        _options = options;
 
        _adhocWorkspace = new AdhocWorkspace();
        _syntaxGenerator = SyntaxGenerator.GetGenerator(_adhocWorkspace, LanguageNames.CSharp);
 
        _compilationOptions = new CSharpCompilationOptions(
            OutputKind.DynamicallyLinkedLibrary,
            nullableContextOptions: NullableContextOptions.Enable,
            specificDiagnosticOptions: _options.DiagnosticOptions);
    }
 
    /// <summary>
    /// Returns the configured source code document for the specified assembly symbol.
    /// </summary>
    /// <param name="assemblySymbol">The assembly symbol that represents the loaded assembly.</param>
    /// <returns>The source code document instance of the specified assembly symbol.</returns>
    public async Task<Document> GetDocumentForAssemblyAsync(IAssemblySymbol assemblySymbol)
    {
        Project project = _adhocWorkspace.AddProject(ProjectInfo.Create(
            ProjectId.CreateNewId(), VersionStamp.Create(), assemblySymbol.Name, assemblySymbol.Name, LanguageNames.CSharp,
            compilationOptions: _compilationOptions));
        project = project.AddMetadataReferences(_options.MetadataReferences ?? _options.Loader.MetadataReferences);
 
        IEnumerable<INamespaceSymbol> namespaceSymbols = EnumerateNamespaces(assemblySymbol).Where(_options.SymbolFilter.Include);
 
        List<SyntaxNode> namespaceSyntaxNodes = [];
        foreach (INamespaceSymbol namespaceSymbol in namespaceSymbols.Order())
        {
            SyntaxNode? syntaxNode = Visit(namespaceSymbol);
 
            if (syntaxNode is not null)
            {
                namespaceSyntaxNodes.Add(syntaxNode);
            }
        }
 
        SyntaxNode compilationUnit = _syntaxGenerator.CompilationUnit(namespaceSyntaxNodes);
 
        if (_options.AdditionalAnnotations.Any())
        {
            compilationUnit = compilationUnit.WithAdditionalAnnotations(_options.AdditionalAnnotations);
        }
 
        if (_options.IncludeAssemblyAttributes)
        {
            compilationUnit = GenerateAssemblyAttributes(assemblySymbol, compilationUnit);
        }
 
        // This depends on finding attribute by their fully qualified names, so do not rewrite the syntax tree yet.
        compilationUnit = GenerateForwardedTypeAssemblyAttributes(assemblySymbol, compilationUnit);
        compilationUnit = compilationUnit.NormalizeWhitespace(eol: Environment.NewLine);
 
        // Rewrite after performing all the necessary compilationUnit alterations,
        //  but right before generating the final document.
        foreach (CSharpSyntaxRewriter rewriter in _options.SyntaxRewriters)
        {
            compilationUnit = compilationUnit.Rewrite(rewriter);
        }
 
        Document document = project.AddDocument(assemblySymbol.Name, compilationUnit);
 
        if (_options.ShouldReduce)
        {
            document = await Simplifier.ReduceAsync(document).ConfigureAwait(false);
        }
        if (_options.ShouldFormat)
        {
            document = await Formatter.FormatAsync(document, DefineFormattingOptions()).ConfigureAwait(false);
        }
 
        return document;
    }
 
    private SyntaxNode? Visit(INamespaceSymbol namespaceSymbol)
    {
        SyntaxNode namespaceNode = _syntaxGenerator.NamespaceDeclaration(namespaceSymbol.ToDisplayString());
 
        IEnumerable<INamedTypeSymbol> typeMembers = namespaceSymbol.GetTypeMembers().Where(_options.SymbolFilter.Include);
        if (!typeMembers.Any())
        {
            return null;
        }
 
        foreach (INamedTypeSymbol typeMember in typeMembers.Order())
        {
            SyntaxNode typeDeclaration = _syntaxGenerator
                .DeclarationExt(typeMember, _options.SymbolFilter)
                .AddMemberAttributes(_syntaxGenerator, typeMember, _options.AttributeSymbolFilter);
 
            typeDeclaration = Visit(typeDeclaration, typeMember);
 
            namespaceNode = _syntaxGenerator.AddMembers(namespaceNode, typeDeclaration);
        }
 
        return namespaceNode;
    }
 
    // Name hiding through inheritance occurs when classes or structs redeclare names that were inherited from base classes. This type of name hiding takes one of the following forms:
    // - A constant, field, property, event, or type introduced in a class or struct hides all base class members with the same name.
    // - A method introduced in a class or struct hides all non-method base class members with the same name, and all base class methods with the same signature(§7.6).
    // - An indexer introduced in a class or struct hides all base class indexers with the same signature(§7.6) .
    private bool HidesBaseMember(ISymbol member)
    {
        if (member.IsOverride)
        {
            return false;
        }
 
        if (member.ContainingType.BaseType is not INamedTypeSymbol baseType)
        {
            return false;
        }
 
        if (member is IMethodSymbol method)
        {
            if (method.MethodKind == MethodKind.ExplicitInterfaceImplementation)
            {
                return false;
            }
 
            // If they're methods, compare their names and signatures.
            return baseType.GetMembers(member.Name)
                .Any(baseMember => _options.SymbolFilter.Include(baseMember) &&
                     (baseMember.Kind != SymbolKind.Method ||
                      method.SignatureEquals((IMethodSymbol)baseMember)));
        }
        else if (member is IPropertySymbol prop && prop.IsIndexer)
        {
            // If they're indexers, compare their signatures.
            return baseType.GetMembers(member.Name)
                .Any(baseMember => baseMember is IPropertySymbol baseProperty &&
                     _options.SymbolFilter.Include(baseMember) &&
                     (prop.GetMethod.SignatureEquals(baseProperty.GetMethod) ||
                      prop.SetMethod.SignatureEquals(baseProperty.SetMethod)));
        }
        else
        {
            // For all other kinds of members, compare their names.
            return baseType.GetMembers(member.Name)
                .Any(_options.SymbolFilter.Include);
        }
    }
 
    private SyntaxNode Visit(SyntaxNode namedTypeNode, INamedTypeSymbol namedType)
    {
        IEnumerable<ISymbol> members = namedType.GetMembers().Where(_options.SymbolFilter.Include);
 
        // If it's a value type
        if (namedType.TypeKind == TypeKind.Struct)
        {
            namedTypeNode = _syntaxGenerator.AddMembers(namedTypeNode, namedType.SynthesizeDummyFields(_options.SymbolFilter, _options.AttributeSymbolFilter));
        }
 
        namedTypeNode = _syntaxGenerator.AddMembers(namedTypeNode, namedType.TryGetInternalDefaultConstructor(_options.SymbolFilter));
 
        foreach (ISymbol member in members.Order())
        {
            if (member is IMethodSymbol method)
            {
                // If the method is ExplicitInterfaceImplementation and is derived from an interface that was filtered out, we must filter it out as well.
                if (method.MethodKind == MethodKind.ExplicitInterfaceImplementation &&
                    method.ExplicitInterfaceImplementations.Any(m => !_options.SymbolFilter.Include(m.ContainingSymbol) ||
                    // if explicit interface implementation method has inaccessible type argument
                    m.ContainingType.HasInaccessibleTypeArgument(_options.SymbolFilter)))
                {
                    continue;
                }
 
                // Filter out default constructors since these will be added automatically
                if (_options.HideImplicitDefaultConstructors && method.IsImplicitDefaultConstructor(_options.SymbolFilter))
                {
                    continue;
                }
            }
 
            // If the property is derived from an interface that was filtered out, we must not filter it out either.
            if (member is IPropertySymbol property && !property.ExplicitInterfaceImplementations.IsEmpty &&
                property.ExplicitInterfaceImplementations.Any(m => !_options.SymbolFilter.Include(m.ContainingSymbol)))
            {
                continue;
            }
 
            SyntaxNode memberDeclaration = _syntaxGenerator
                .DeclarationExt(member, _options.SymbolFilter)
                .AddMemberAttributes(_syntaxGenerator, member, _options.AttributeSymbolFilter);
 
            if (member is INamedTypeSymbol nestedTypeSymbol)
            {
                memberDeclaration = Visit(memberDeclaration, nestedTypeSymbol);
            }
 
            if (HidesBaseMember(member))
            {
                DeclarationModifiers mods = _syntaxGenerator.GetModifiers(memberDeclaration);
                memberDeclaration = _syntaxGenerator.WithModifiers(memberDeclaration, mods.WithIsNew(isNew: true));
            }
 
            try
            {
                namedTypeNode = _syntaxGenerator.AddMembers(namedTypeNode, memberDeclaration);
            }
            catch (InvalidOperationException e)
            {
                // re-throw the InvalidOperationException with the symbol that caused it.
                throw new InvalidOperationException(string.Format(Resources.AddMemberThrowsException,
                    member.ToDisplayString(),
                    namedTypeNode,
                    e.Message));
            }
        }
 
        return namedTypeNode;
    }
 
    private SyntaxNode GenerateAssemblyAttributes(IAssemblySymbol assembly, SyntaxNode compilationUnit)
    {
        // When assembly references aren't available, assembly attributes with foreign types won't be resolved.
        ImmutableArray<AttributeData> attributes = assembly.GetAttributes().ExcludeNonVisibleOutsideOfAssembly(_options.AttributeSymbolFilter);
 
        // Emit assembly attributes from the IAssemblySymbol
        List<SyntaxNode> attributeSyntaxNodes = [.. attributes
            .Where(attribute => !attribute.IsReserved())
            .Select(attribute => _syntaxGenerator.Attribute(attribute)
            .WithTrailingTrivia(SyntaxFactory.LineFeed))];
 
        // [assembly: System.Reflection.AssemblyVersion("x.x.x.x")]
        if (attributes.All(attribute => attribute.AttributeClass?.ToDisplayString() != typeof(AssemblyVersionAttribute).FullName))
        {
            attributeSyntaxNodes.Add(_syntaxGenerator.Attribute(typeof(AssemblyVersionAttribute).FullName!,
                SyntaxFactory.AttributeArgument(SyntaxFactory.IdentifierName($"\"{assembly.Identity.Version}\"")))
                .WithTrailingTrivia(SyntaxFactory.LineFeed));
        }
 
        // [assembly: System.Runtime.CompilerServices.ReferenceAssembly]
        if (attributes.All(attribute => attribute.AttributeClass?.ToDisplayString() != typeof(ReferenceAssemblyAttribute).FullName))
        {
            attributeSyntaxNodes.Add(_syntaxGenerator.Attribute(typeof(ReferenceAssemblyAttribute).FullName!)
                .WithTrailingTrivia(SyntaxFactory.LineFeed));
        }
 
        // [assembly: System.Reflection.AssemblyFlags((System.Reflection.AssemblyNameFlags)0x70)]
        if (attributes.All(attribute => attribute.AttributeClass?.ToDisplayString() != typeof(AssemblyFlagsAttribute).FullName))
        {
            attributeSyntaxNodes.Add(_syntaxGenerator.Attribute(typeof(AssemblyFlagsAttribute).FullName!,
                SyntaxFactory.AttributeArgument(SyntaxFactory.IdentifierName("(System.Reflection.AssemblyNameFlags)0x70")))
                .WithTrailingTrivia(SyntaxFactory.LineFeed));
        }
 
        return _syntaxGenerator.AddAttributes(compilationUnit, attributeSyntaxNodes);
    }
 
    private SyntaxNode GenerateForwardedTypeAssemblyAttributes(IAssemblySymbol assembly, SyntaxNode compilationUnit)
    {
        foreach (INamedTypeSymbol symbol in assembly.GetForwardedTypes().Where(_options.SymbolFilter.Include))
        {
            if (symbol.TypeKind != TypeKind.Error)
            {
                // see https://github.com/dotnet/roslyn/issues/67341
                // GetForwardedTypes returns bound generics, but `typeof` requires unbound
                TypeSyntax typeSyntaxNode = (TypeSyntax)_syntaxGenerator.TypeExpression(symbol.MakeUnboundIfGeneric());
                compilationUnit = _syntaxGenerator.AddAttributes(compilationUnit,
                    _syntaxGenerator.Attribute(typeof(TypeForwardedToAttribute).FullName!,
                        SyntaxFactory.TypeOfExpression(typeSyntaxNode)).WithTrailingTrivia(SyntaxFactory.LineFeed));
            }
            else
            {
                _log.LogWarning(string.Format(
                    Resources.ResolveTypeForwardFailed,
                    symbol.ToDisplayString(),
                    $"{symbol.ContainingAssembly.Name}.dll"));
            }
        }
 
        return compilationUnit;
    }
 
    private static IEnumerable<INamespaceSymbol> EnumerateNamespaces(IAssemblySymbol assemblySymbol)
    {
        Stack<INamespaceSymbol> stack = new();
        stack.Push(assemblySymbol.GlobalNamespace);
 
        while (stack.Count > 0)
        {
            INamespaceSymbol current = stack.Pop();
 
            yield return current;
 
            foreach (INamespaceSymbol subNamespace in current.GetNamespaceMembers())
            {
                stack.Push(subNamespace);
            }
        }
    }
 
    private OptionSet DefineFormattingOptions()
    {
        // TODO: consider to move configuration into file.
        return _adhocWorkspace.Options
            .WithChangedOption(CSharpFormattingOptions.NewLinesForBracesInTypes, true)
            .WithChangedOption(CSharpFormattingOptions.WrappingKeepStatementsOnSingleLine, true)
            .WithChangedOption(CSharpFormattingOptions.WrappingPreserveSingleLine, true)
            .WithChangedOption(CSharpFormattingOptions.IndentBlock, false)
            .WithChangedOption(CSharpFormattingOptions.NewLinesForBracesInMethods, false)
            .WithChangedOption(CSharpFormattingOptions.NewLinesForBracesInProperties, false)
            .WithChangedOption(CSharpFormattingOptions.NewLinesForBracesInAccessors, false)
            .WithChangedOption(CSharpFormattingOptions.NewLinesForBracesInAnonymousMethods, false)
            .WithChangedOption(CSharpFormattingOptions.NewLinesForBracesInControlBlocks, false)
            .WithChangedOption(CSharpFormattingOptions.NewLinesForBracesInAnonymousTypes, false)
            .WithChangedOption(CSharpFormattingOptions.NewLinesForBracesInObjectCollectionArrayInitializers, false)
            .WithChangedOption(CSharpFormattingOptions.NewLinesForBracesInLambdaExpressionBody, false)
            .WithChangedOption(CSharpFormattingOptions.NewLineForMembersInObjectInit, false)
            .WithChangedOption(CSharpFormattingOptions.NewLineForMembersInAnonymousTypes, false)
            .WithChangedOption(CSharpFormattingOptions.NewLineForClausesInQuery, false);
    }
}