Roslyn: SyntaxWalker through 2 different documents

320 Views Asked by At

I have a solution with two different projects. I use SyntaxWalker to process some stuff in ProjectA.Class1. However, ProjectA.Class1 has reference ProjectB.Class2.

Is there way to allow the syntax walker to traverse also through external classes? I can't even do it when both classes are in the same project but in different files (documents). It always goes through the same document. If both classes are in the same file then it works. If I extract them to separate ones, it doesn't...

I am working on a test coverage tool. A user click on the method in VS and then:

  1. I use rewriter to add static variables to each branch.
  2. I run the code so the static variables are set if branch was covered.

I wonder how should I configure a syntax walker\rewriter to recognize other classes in the same solution.

1

There are 1 best solutions below

3
On BEST ANSWER

You're going to need access to the Symbol API. A simple rule of thumb I try to go by:

  • The Syntax API is for individual files
  • The Symbol API allows you to work with information that spans across files.

You've mentioned in the comments that you'd like to traverse methods and figure out some information about each method declaration. Here's some (naive) code that should get you started with the symbol API.

I've assumed you've got access to a Project that you're analyzing.

Project myProject;
public void ProcessMethod(MethodDeclarationSyntax method)
{
    //Get the semantic model
    var filePath = method.SyntaxTree.FilePath;
    var containingDocument = myProject.Documents.Where(n => n.FilePath == filePath).Single();
    var model = containingDocument.GetSemanticModelAsync().Result;

    //...
    //Do your processing on the current method here...
    //...

    //Process the invoked methods.
    var invocations = method.DescendantNodes().OfType<InvocationExpressionSyntax>();
    foreach(var invocation in invocations)
    {
        var invokedSymbol = model.GetSymbolInfo(invocation).Symbol; //Might be null
        var invokedSymbolSyntax = (MethodDeclarationSyntax)invokedSymbol.DeclaringSyntaxReferences.First().GetSyntax(); //Partial methods might be declared in multiple places
        ProcessMethod(invokedSymbolSyntax);
    }
}

Note:

  • This approach doesn't handle constructors, destructors, properties, expression-bodied members and any other members I've forgotten. But it should be enough to get you started and introduce you to the symbol API.
  • Recursion will bite you.
  • You won't process implementations of interfaces. You'll have to look into the SymbolFinder for that.