我设法写了一些正确转换链接的东西。
大纲是:
在帮助控制器的构造函数中,在 cref 中找到的字符串(例如 M:Api.Method.Description(System.String) 和关联的 ApiDescription 之间)创建一个新的 Lazy IDictionary 映射
_methodReferences = new Lazy<IDictionary<string, ApiDescription>>(() => {
var dictionary = new Dictionary<string, ApiDescription>();
var apiExplorer = new ApiExplorer(config);
foreach (var apiDescription in apiExplorer.ApiDescriptions)
{
var descriptor = apiDescription.ActionDescriptor as ReflectedHttpActionDescriptor;
if (descriptor != null)
{
var methodName = string.Format(
@"M:{0}.{1}({2})",
descriptor.MethodInfo.DeclaringType.FullName,
descriptor.MethodInfo.Name,
string.Join(@",",descriptor.GetParameters().Select(x => x.ParameterType.FullName))
);
dictionary[methodName] = apiDescription;
}
}
return dictionary;
});
将此惰性传递给支持页面的各种模型(您可能需要创建额外的模型)。我给了他们一个基类,代码如下:
public abstract class HelpPageModelBase
{
private static Regex _seeRegex = new Regex("<see cref=\"([^\"]+)\" />");
private readonly Lazy<IDictionary<string, ApiDescription>> _methodReferences;
protected HelpPageModelBase(Lazy<IDictionary<string, ApiDescription>> methodReferences)
{
_methodReferences = methodReferences;
}
protected HelpPageModelBase(HelpPageModelBase parent)
{
_methodReferences = parent._methodReferences;
}
public string ParseDoc(string documentation, UrlHelper url)
{
if (documentation == null)
{
return null;
}
return _seeRegex.Replace(documentation,
match => {
if (_methodReferences.Value.ContainsKey(match.Groups[1].Value))
{
var descriptor = _methodReferences.Value[match.Groups[1].Value];
return string.Format(@"<a href='{0}'>{1} {2}</a>",
url.Action("Api",
"Help",
new {
apiId = descriptor.GetFriendlyId()
}),
descriptor.HttpMethod.Method,
descriptor.RelativePath
);
}
return "";
});
}
}
视图中的任何地方api.Documentation.Trim()
- 或者Html.Raw(api.Documentation)
如果您已经关注了Web Api 帮助页面 - 不要在 xml 文档中转义 html - 现在您将其包装成
@Html.Raw(Model.ParseDoc(api.Documentation, Url))
您会发现要做到这一点,您需要使各种 ModelDescriptions 从 HelpPageModelBase 继承 - 并将父 API 模型传递给它们(或者如果更容易,则传递给 Lazy),但它最终确实有效。
我对这个解决方案不是特别满意;您可能会发现使用某种形式的静态 ParseDoc 方法更容易,该方法使用默认的 Http 配置来生成延迟(但由于我所做的其他扩展不适用于我的情况)。如果您看到更好的方法,请分享!希望它能给你一个起点。