我想使用Roslyn遍历给定解决方案中的每个项目中的所有文档。
这是我现在的代码:
var msWorkspace = MSBuildWorkspace.Create();
var solution = await msWorkspace.OpenSolutionAsync(solutionPath);
foreach (var project in solution.Projects)
{
foreach (var document in project.Documents)
{
if (document.SourceCodeKind != SourceCodeKind.Regular)
continue;
var doc = document;
foreach (var rewriter in rewriters)
{
doc = await rewriter.Rewrite(doc);
}
if (doc != document)
{
Console.WriteLine("changed {0}",doc.Name);
//save result
//the solution is now changed and the next document to be processed will belong to the old solution
msWorkspace.TryApplyChanges(doc.Project.Solution);
}
}
}
问题在于,罗斯林在很大程度上是不可改变的。 在第一个“msWorkspace.TryApplyChanges”之后,解决方案和文档现在被替换为新版本。
所以下一次迭代仍然会遍历旧版本。
有没有办法以Roslyn惯用的方式做到这一点?
或者我是否必须采用某种for(int projectIndex = 0;projectIndex < solution.Projects.count) {
类型的hackery?
答案 0 :(得分:8)
在Roslyn gitter聊天中发布的这个解决方案可以解决问题。
var solution = await msWorkspace.OpenSolutionAsync(solutionPath);
foreach (var projectId in solution.ProjectIds)
{
var project = solution.GetProject(projectId);
foreach (var documentId in project.DocumentIds)
{
Document document = project.GetDocument(documentId);
if (document.SourceCodeKind != SourceCodeKind.Regular)
continue;
var doc = document;
foreach (var rewriter in rewriters)
{
doc = await rewriter.Rewrite(doc);
}
project = doc.Project;
}
solution = project.Solution;
}
msWorkspace.TryApplyChanges(solution);
在这种情况下,迭代之间不再丢弃更改,因为所有内容都基于最后一次迭代的结果。 (也就是说,文档和项目是通过ID而不是从遍历原始结构的枚举器获取的)