Finding all class declarations than inherit from another with Roslyn

拥有回忆 提交于 2019-11-28 11:28:45

First you'll need to get the symbol for Base. If this is a particular type you know about in advance, you can use Compilation.GetTypeByMetadataName for this. That link will also show you over 100 examples of that method in use.

From there, it depends on what you're trying to do. If you're doing this from inside an analyzer (which I suspect from the "context.CSharpCompilation" in your code), and you're trying to identify and then check some property of these derived types, you could use RegisterSymbolAction for SymbolKind.NamedType, and then check each type's BaseType (possibly recursively, depending on what you're trying to accomplish) to see if you find the type discovered by GetTypeByMetadataName above.

If you're doing solution-wide analysis outside the context of an analyzer, then there's a helper for this in the Roslyn codebase, but it's internal. There's an existing request to make ITypeSymbolExtensions public, so I've mentioned this thread in that request and suggested expanding it to include INamedTypeSymbolExtensions.

So I came up with the following which will recursively check all classes for the inherited type

public class BaseClassRewriter : CSharpSyntaxRewriter
{
    private readonly SemanticModel _model;

    public BaseClassRewriter(SemanticModel model)
    {
        _model = model;
    }

    public override SyntaxNode VisitClassDeclaration(ClassDeclarationSyntax node)
    {
        var symbol = _model.GetDeclaredSymbol(node);
        if (InheritsFrom<BaseClass>(symbol))
        {
            // hit!
        }
    }

    private bool InheritsFrom<T>(INamedTypeSymbol symbol)
    {
        while (true)
        {
            if (symbol.ToString() == typeof(T).FullName)
            {
                return true;
            }
            if (symbol.BaseType != null)
            {
                symbol = symbol.BaseType;
                continue;
            }
            break;
        }
        return false;
    }
}
vijay kumar
var classDecSynList = classDecSynList.Where(x=>
       (((IdentifierNameSyntax(x.BaseList.Types.FirstOrDefault()))
              .Identifier.ValueText=="Base"));

Assuming you have all the class declaration Syntax list;

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!