3

这就是我想做的。

我想像这样编写 POCO 类:

[AutoExtended]
public partial class Foo {
    public int Bar;
    public string Baz;
}

最好在我的解决方案中的任意文件中(该[AutoExtend]属性是我刚刚为识别兴趣类别而编造的)。

我希望构建过程从 (a)AutoExtend在我的源代码中查找这些类并 (b) 自动生成如下扩展:

public partial class Foo {
    public static SomeType<int> Bar(Foo x) { ... };
    public static SomeOtherType<string> Baz(Foo x) { ... };
}

在编译解决方案之前。

有谁知道如何最好地做到这一点?我想罗斯林是要走的路,但我愿意接受建议。理想情况下,我想要一个解决方案,除了AutoExtend属性之外,用户需要零额外的“管道”。

(如果有人感兴趣,我正在用 C# 类和重载运算符编写一个领域特定的语言,上面的内容将使 DSL 使用起来更加舒适。)

4

1 回答 1

5

正如评论中所建议的,T4 非常可行。

关于构建时的转换,您可以使用.csproj文件<TransformOnBuild>中的属性来完成。看到这个问题,特别是@Cheburek 的回答。MSDN 上有更多信息。

然后要找到具有AutoExtend您需要使用 EnvDTE 而不是反射的属性的类,因为任何现有的程序集都会过时。

就像是:

<#
// get a reference to the project of this t4 template
var project = VisualStudioHelper.CurrentProject;

// get all class items from the code model
var allClasses = VisualStudioHelper.GetAllCodeElementsOfType(project.CodeModel.CodeElements, EnvDTE.vsCMElement.vsCMElementClass, false);

// iterate all classes
foreach(EnvDTE.CodeClass codeClass in allClasses)
{
        // get all attributes this method is decorated with
        var allAttributes = VisualStudioHelper.GetAllCodeElementsOfType(codeClass.Attributes, vsCMElement.vsCMElementAttribute, false);
        // check if the SomeProject.AutoExtendedAttribute is present
        if (allAttributes.OfType<EnvDTE.CodeAttribute>()
                         .Any(att => att.FullName == "SomeProject.AutoExtended"))
        {
        #>
        // this class has been generated
        public partial class <#= codeClass.FullName #>
        {
          <#
          // now get all methods implemented by the class
          var allFunctions = VisualStudioHelper.GetAllCodeElementsOfType(codeClass.Members, EnvDTE.vsCMElement.vsCMElementFunction, false);
          foreach(EnvDTE.CodeFunction function in allFunctions)
          {
          #>
              public static <#= function.FullName #> etc...
          <#
          } 
          #>
        }
<#          
        }
    }
}
#>
于 2013-09-07T09:40:44.903 回答