我搜查,但对于MVC 3的HtmlHelper创建一个包装方法找不到任何快速解决方案。 我正在寻找的是这样的:
@html.createLink("caption", "url")
{
<html> content in tags </html>
}
结果应该有
<a href="url" title="Caption">
<html> content in tags </html>
</a>
任何帮助。
我搜查,但对于MVC 3的HtmlHelper创建一个包装方法找不到任何快速解决方案。 我正在寻找的是这样的:
@html.createLink("caption", "url")
{
<html> content in tags </html>
}
结果应该有
<a href="url" title="Caption">
<html> content in tags </html>
</a>
任何帮助。
这与BeginForm做的方式是,返回类型MvcForm
impliments IDisposable
,使得内使用时using
的语句,该Dispose
的方法MvcForm
写出闭</form>
标记。
你可以写,做同样的事情的扩展方法。
这里有一个我刚写证明。
首先,扩展方法:
public static class ExtensionTest
{
public static MvcAnchor BeginLink(this HtmlHelper htmlHelper)
{
var tagBuilder = new TagBuilder("a");
htmlHelper.ViewContext.Writer
.Write(tagBuilder.ToString(
TagRenderMode.StartTag));
return new MvcAnchor(htmlHelper.ViewContext);
}
}
下面是我们的新类型,MvcAnchor:
public class MvcAnchor : IDisposable
{
private readonly TextWriter _writer;
public MvcAnchor(ViewContext viewContext)
{
_writer = viewContext.Writer;
}
public void Dispose()
{
this._writer.Write("</a>");
}
}
在你的意见,你现在可以做的:
@{
using (Html.BeginLink())
{
@Html.Raw("Hello World")
}
}
其产生的结果:
<a>Hello World</a>
扩大这种略带处理您的具体要求:
public static MvcAnchor BeginLink(this HtmlHelper htmlHelper,
string href,
string title)
{
var tagBuilder = new TagBuilder("a");
tagBuilder.Attributes.Add("href",href);
tagBuilder.Attributes.Add("title", title);
htmlHelper.ViewContext.Writer.Write(tagBuilder
.ToString(TagRenderMode.StartTag));
return new MvcAnchor(htmlHelper.ViewContext);
}
我们的观点:
@{
using (Html.BeginLink("http://stackoverflow.com", "The Worlds Best Q&A site"))
{
@Html.Raw("StackOverflow - Because we really do care")
}
}
其产生的结果:
<a href="http://stackoverflow.com" title="The Worlds Best Q&A site">
StackOverflow - Because we really do care</a>
还有另一种方式,而不会一次性招。 它的工作少,非常适合小帮手。 我回答类似的问题,不希望复制的一切,但这里有一个简单的例子:
@helper Paragraph(string cssClass, Func<object, object> markup) {
<p class="@cssClass">@markup.DynamicInvoke(this.ViewContext)</p>
}
这个助手的用法如下:
@Paragraph("highlited",
@<text>
Look, a @Html.ActionLink("link", "index")
</text>
)
我完整的答案其他类似的问题在这里 。
在最简单的层面像这样的做
public static MvcHtmlString SomeLink(this HtmlHelper htmlHelper, string href, string title, string content )
{
var urlHelper = ((Controller)htmlHelper.ViewContext.Controller).Url;
//var url = urlHelper.Action(actionName, controllerName, routeValues);
var someLink = new TagBuilder("a");
someLink.MergeAttribute("href", href);
someLink.InnerHtml = content;
return new MvcHtmlString(someLink.ToString());
}