ASP.NET MVC3中<text>的“返回类型”</text>

时间:2011-04-22 15:35:04

标签: asp.net-mvc-3 razor html-helper

我正在试图弄清楚如何(或者是否可能)编写可以通过以下方式调用的HTML帮助程序方法:

@Html.MyHelper("some string parameter", @<text>
    <table>
      <tr>
        <td>some html content in a "template" @Model.SomeProperty</td>
      </tr>
    </table>
</text>)

这个想法是允许用户创建自己的模板以传递给帮助者。随着一些讨论,我想出了这个代码:

public static MvcHtmlString jQueryTmpl(this HtmlHelper htmlHelper, string templateId, Func<object, HelperResult> template) {
    return MvcHtmlString.Create("<script id='" + templateId + "' type='x-jquery-tmpl'>" + template.Invoke(null) + "</script>");
}

这是有效的,但我不明白为什么或者它是否有意义。有人可以解释一下<text>实际上是在后台,我怎么能在上面描述的上下文中使用它?

由于

1 个答案:

答案 0 :(得分:7)

存在特殊的<text>标记,允许您在Razor解析器通常选择代码模式的情况下强制从代码转换为标记。例如,if语句的主体默认为代码模式:

@if(condition) {
    // still in code mode
}

剃刀解析器具有在检测到标记时自动切换到标记模式的逻辑:

@if(condition) {
    <div>Hello @Model.Name</div>
}

但是,您可能希望切换到标记模式而不实际发出一些标记(因为上述情况会发出<div>标记)。您可以使用<text>块或@:语法:

@if(condition) {
    // Code mode
    <text>Hello @Model.Name <!-- Markup mode --></text>
    // Code mode again
}

@if(condition) {
    // Code mode
    @:Hello @Model.Name<!-- Will stay in markup mode till end of line -->
    // Code mode again
}

回到你的问题:在这种情况下你不需要<text>标签,因为你的模板已经有标签会在Razor中触发正确的行为。你可以写:

@Html.MyHelper("some string parameter", @<table>
    <tr>
      <td>some html content in a "template" @Model.SomeProperty</td>
    </tr>
</table>)

这样做的原因是因为代码上下文中的Razor解析器识别@<tag></tag>模式并将其转换为Func<object, HelperResult>

在您的示例中,生成的代码看起来大致如下:

Write(Html.MyHelper("some string parameter",item => new System.Web.WebPages.HelperResult(__razor_template_writer => {
    WriteLiteralTo(@__razor_template_writer, "<table>\r\n      <tr>\r\n        <td>some html content in a \"template\" ");
    WriteTo(@__razor_template_writer, Model.SomeProperty);
    WriteLiteralTo(@__razor_template_writer, "</td>\r\n      </tr>\r\n    </table>");
})));