我正在尝试在解决方案中随处找到特定枚举转换为字符串的方法,无论是否显式调用ToString()。 (这些被替换为使用枚举描述的转换以改进混淆。)
示例:我想找到string str = "Value: " + SomeEnum.someValue;
我已经尝试用包装类替换enum本身,包含隐式转换到枚举类型并覆盖包装类中的ToString(),但是当我尝试搜索ToString()覆盖的使用时,它给了我一个列表在解决方案中调用ToString()的地方(只有在显式调用它的地方)。搜索是在Visual Studio中使用ReSharper完成的。
有没有其他方法可以找到这些枚举到字符串的转换?手动完成整个解决方案听起来并不是很有趣。
答案 0 :(得分:16)
Roslyn的技巧是使用SemanticModel.GetTypeInfo()
,然后检查ConvertedType
以找到这些隐式转换。
一个完整的例子:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using Roslyn.Compilers;
using Roslyn.Compilers.CSharp;
using Roslyn.Services;
using Roslyn.Services.CSharp;
using Roslyn.Compilers.Common;
class Program
{
static void Main(string[] args)
{
var code = @"enum E { V } class { static void Main() { string s = ""Value: "" + E.V; } }";
var doc = Solution.Create(SolutionId.CreateNewId())
.AddCSharpProject("foo", "foo")
.AddMetadataReference(MetadataFileReference.CreateAssemblyReference("mscorlib"))
.AddDocument("doc.cs", code);
var stringType = doc.Project.GetCompilation().GetSpecialType(SpecialType.System_String);
var e = doc.Project.GetCompilation().GlobalNamespace.GetTypeMembers("E").Single();
var v = e.GetMembers("V").Single();
var refs = v.FindReferences(doc.Project.Solution);
var toStrings = from referencedLocation in refs
from r in referencedLocation.Locations
let node = GetNode(doc, r.Location)
let convertedType = doc.GetSemanticModel().GetTypeInfo(GetNode(doc, r.Location)).ConvertedType
where convertedType.Equals(stringType)
select r.Location;
foreach (var loc in toStrings)
{
Console.WriteLine(loc);
}
}
static CommonSyntaxNode GetNode(IDocument doc, CommonLocation loc)
{
return loc.SourceTree.GetRoot().FindToken(loc.SourceSpan.Start).Parent.Parent.Parent;
}
}