6

我有一个控制器,有两个简单的方法:

用户控制器方法:

[AcceptVerbs(HttpVerbs.Get)]
public ActionResult Details(string id)
{
 User user = UserRepo.UserByID(id);

 return View(user);
}

[AcceptVerbs(HttpVerbs.Post)]
public ActionResult Details(User user)
{
 return View(user);
}

然后有一个用于显示详细信息的简单视图:

<% using (Html.BeginForm("Details", "User", FormMethod.Post))
   {%>
 <fieldset>
  <legend>Userinfo</legend>
  <%= Html.EditorFor(m => m.Name, "LabelTextBoxValidation")%>
  <%= Html.EditorFor(m => m.Email, "LabelTextBoxValidation")%>
  <%= Html.EditorFor(m => m.Telephone, "LabelTextBoxValidation")%>
 </fieldset>
 <input type="submit" id="btnChange" value="Change" />
<% } %>

如您所见,我使用了一个编辑器模板“LabelTextBoxValidation”:

<%@ Control Language="C#" Inherits="System.Web.Mvc.ViewUserControl<string>" %>
<%= Html.Label("") %>
<%= Html.TextBox(Model,Model)%>
<%= Html.ValidationMessage("")%>

显示用户信息没问题。该视图完美地呈现了用户详细信息。当我提交表单时,对象用户丢失了。我在“返回视图(用户)”行上进行了调试;在 Post Details 方法中,用户对象填充了可为空的值。如果我不使用编辑器模板,则用户对象将填充正确的数据。所以编辑器模板肯定有问题,但无法弄清楚它是什么。建议?

4

1 回答 1

1

我会稍微重新架构一下 - 将您的 LabelTextBoxValidation 编辑器更改为 Html 助手,然后为您的数据模型制作一个 EditorTemplate。这样你就可以做这样的事情:

<% using (Html.BeginForm("Details", "User", FormMethod.Post))
{%>
  <fieldset>
   <legend>Userinfo</legend>
   <% Html.EditorFor(m => m); %>
  </fieldset>
  <input type="submit" id="btnChange" value="Change" />
<% } %>

您的编辑器模板将类似于:

<%= Html.ValidatedTextBoxFor(m => m.Name); %>
<%= Html.ValidatedTextBoxFor(m => m.Email); %>
<%= Html.ValidatedTextBoxFor(m => m.Telephone); %>

其中 ValidatedTextBoxFor 是您的新 html 助手。要做到这一点,这将相当容易:

public static MvcHtmlString ValidatedTextBoxFor<T>(this HtmlHelper helper, Expression thingy)
{
     // Some pseudo code, Visual Studio isn't in front of me right now
     return helper.LabelFor(thingy) + helper.TextBoxFor(thingy) + helper.ValidationMessageFor(thingy);
}

我相信这应该正确设置表单字段的名称,因为这似乎是问题的根源。

编辑:这是应该帮助你的代码:

public static MvcHtmlString ValidatedTextBoxFor<TModel, TValue>(this HtmlHelper<TModel> html, Expression<Func<TModel, TValue>> expression)
{
    return MvcHtmlString.Create(
           html.LabelFor(expression).ToString() +
           html.TextBoxFor(expression).ToString() +
           html.ValidationMessageFor(expression).ToString()
           );
}
于 2010-04-29T13:07:30.803 回答