我的代码中有一些[Flags]
枚举,我想在不复制和粘贴的情况下向 JavaScript 公开。SignalR 似乎通过将 URL 映射到返回由反射生成的 JavaScript 存根的 Action 为他们的 Hub 代理做类似的事情。由于代码是在运行时生成的,因此似乎不可能包含在 Bundles 中。
作为替代方案,我实现了一个 T4 模板以在设计时生成一个 js 文件:
<#@ template debug="false" hostspecific="true" language="C#" #>
<#@ assembly name="System.Core" #>
<#@ assembly name="EnvDte" #>
<#@ import namespace="EnvDTE" #>
<#@ import namespace="System.Linq" #>
<#@ import namespace="System.Text" #>
<#@ import namespace="System.Collections.Generic" #>
<#@ output extension=".js" #>
Enums = {
<#
var visualStudio = (Host as IServiceProvider).GetService(typeof(EnvDTE.DTE))
as EnvDTE.DTE;
var project = visualStudio.Solution.FindProjectItem(this.Host.TemplateFile)
.ContainingProject as EnvDTE.Project;
foreach(EnvDTE.ProjectItem item in GetProjectItemsRecursively(project.ProjectItems))
{
if (item.FileCodeModel == null) continue;
foreach(EnvDTE.CodeElement elem in item.FileCodeModel.CodeElements)
{
if (elem.Kind == EnvDTE.vsCMElement.vsCMElementNamespace)
{
foreach (CodeElement innerElement in elem.Children)
{
if (innerElement.Kind == vsCMElement.vsCMElementEnum)
{
CodeEnum enu = (CodeEnum)innerElement;
#> <#= enu.Name #>: {
<#
Dictionary<string, string> values = new Dictionary<string, string>();
foreach (CodeElement child in enu.Members)
{
CodeVariable value = child as CodeVariable;
if (value != null) {
string init = value.InitExpression as string;
int unused;
if (!int.TryParse(init, out unused))
{
foreach (KeyValuePair<string, string> entry in values) {
init = init.Replace(entry.Key, entry.Value);
}
init = "(" + init + ")";
}
values.Add(value.Name, init);
WriteLine("\t\t" + value.Name + ": " + init + ",");
}
}
#>
},
<#
}
}
}
}
}
#>
};
<#+
public List<EnvDTE.ProjectItem> GetProjectItemsRecursively(EnvDTE.ProjectItems items)
{
var ret = new List<EnvDTE.ProjectItem>();
if (items == null) return ret;
foreach(EnvDTE.ProjectItem item in items)
{
ret.Add(item);
ret.AddRange(GetProjectItemsRecursively(item.ProjectItems));
}
return ret;
}
#>
然而这感觉很脆弱EnvDTE
。尤其是处理枚举的逻辑,例如:
[Flags]
public enum Access
{
None = 0,
Read = 1,
Write = 2,
ReadWrite = Read | Write
}
使用复合值是带有字符串替换的肮脏黑客。上面的 T4 模板将生成:
Enums = {
Access: {
None: 0,
Read: 1,
Write: 2,
ReadWrite: (1 | 2),
},
};
有没有更清洁的方法来实现这一目标?理想情况下,某种设计时反射来生成 js 文件,以便它可用于捆绑。