16

我想获取给定位置(lineNumber)的行的 SyntaxNode。下面的代码应该是不言自明的,但如果有任何问题,请告诉我。

static void Main()
        {
            string codeSnippet = @"using System;
                                        class Program
                                        {
                                            static void Main(string[] args)
                                            {
                                                Console.WriteLine(""Hello, World!"");
                                            }
                                        }";

            SyntaxTree tree = SyntaxTree.ParseCompilationUnit(codeSnippet);
            string[] lines = codeSnippet.Split('\n');
            SyntaxNode node = GetNode(tree, 6); //How??
        }

        static SyntaxNode GetNode(SyntaxTree tree,int lineNumber)
        {
            throw new NotImplementedException();
            // *** What I did ***
            //Calculted length from using System... to Main(string[] args) and named it (totalSpan)
            //Calculated length of the line(lineNumber) Console.Writeline("Helllo...."); and named it (lineSpan)
            //Created a textspan : TextSpan span = new TextSpan(totalSpan, lineSpan);
            //Was able to get back the text of the line : tree.GetLocation(span);
            //But how to get the SyntaxNode corresponding to that line??
        }
4

1 回答 1

12

首先,要TextSpan根据行号获取,您可以使用返回Lines的索引器(但要小心,它从 0 开始计算行数)。SourceTextGetText()

然后,要获取与该跨度相交的所有节点,您可以使用DescendantNodes().

最后,您过滤该列表以获取完全包含在该行中的第一个节点。

在代码中:

static SyntaxNode GetNode(SyntaxTree tree, int lineNumber)
{
    var lineSpan = tree.GetText().Lines[lineNumber - 1].Span;
    return tree.GetRoot().DescendantNodes(lineSpan)
        .First(n => lineSpan.Contains(n.Span));
}

如果该行上没有节点,这将引发异常。如果有多个,它将​​返回第一个。

于 2012-12-15T00:14:19.863 回答