0

私のモデルはインターフェースから継承しています:

public interface IGrid
{
    ISearchExpression Search { get; set; }
    .
    .
}

public interface ISearchExpression 
{
    IRelationPredicateBucket Get();
}

モデル:

public class Project : IGrid
{
      public ISearchExpression Search { get; set; }

      public Project()
      {
            this.Search = new ProjectSearch();
      }  
}

プロジェクトサーチ:

public class ProjectSearch: ISearchExpression 
{
    public string Name { get; set; }
    public string Number { get; set; }

    public IRelationPredicateBucket Get()
    {...}
}

そしてメインビューの強い型付けされたパーシャルビュー:

       <%@ Control Language="C#" Inherits="System.Web.Mvc.ViewUserControl<ProjectSearch>" %>

       <%= Html.TextBoxFor(x=>x.Name)%>

       <%= Html.TextBoxFor(x => x.Number)%>

       ....

フォームを送信すると、Searchプロパティが適切にバインドされません。すべてが空です。アクションは型の引数を取りますProjectSearch

Search想定どおりにバインドされないのはなぜですか?

編集

アクション

public virtual ActionResult List(Project gridModel)
{..}
4

1 に答える 1

2

サブタイプをバインドするには、正しいプレフィックスを指定する必要があります。たとえば、モデルのプロパティのプロパティにバインドする場合、テキスト ボックスの名前Nameは. テキストボックスを使用すると、名前が付けられ、モデルバインダーが機能しません。1 つの回避策は、名前を明示的に指定することです。SearchSearch.NameHtml.TextBoxFor(x=>x.Name)Name

<%= Html.TextBox("Search.Name") %>

または、ASP.NET MVC 2.0 の新機能であるエディター テンプレートを使用します。


アップデート:

コメント セクションに記載されている追加の詳細に基づいて、動作するはずのサンプルを次に示します。

モデル:

public interface IRelationPredicateBucket
{ }

public interface ISearchExpression
{
    IRelationPredicateBucket Get();
}

public interface IGrid
{
    ISearchExpression Search { get; set; }
}

public class ProjectSearch : ISearchExpression
{
    public string Name { get; set; }
    public string Number { get; set; }

    public IRelationPredicateBucket Get()
    {
        throw new NotImplementedException();
    }
}

public class Project : IGrid
{
    public Project()
    {
        this.Search = new ProjectSearch();
    }

    public ISearchExpression Search { get; set; }
}

コントローラ:

public class HomeController : Controller
{
    public ActionResult Index()
    {
        return View(new Project());
    }

    [HttpPost]
    public ActionResult Index(ProjectSearch gridModel)
    {
        // gridModel.Search should be correctly bound here
        return RedirectToAction("Index");
    }
}

ビュー - ~/Views/Home/Index.aspx:

<%@ Page Language="C#" MasterPageFile="~/Views/Shared/Site.Master" Inherits="System.Web.Mvc.ViewPage<Models.Project>" %>

<asp:Content ID="Content2" ContentPlaceHolderID="MainContent" runat="server">
    <% using (Html.BeginForm()) { %>
        <% Html.RenderPartial("~/Views/Home/SearchTemplate.ascx", Model.Search); %>
        <input type="submit" value="Create" />
    <% } %>
</asp:Content>

ビュー - ~/Views/Home/SearchTemplate.ascx:

<%@ Control Language="C#" Inherits="System.Web.Mvc.ViewUserControl<Models.ProjectSearch>" %>

<%= Html.TextBoxFor(x => x.Name) %>
<%= Html.TextBoxFor(x => x.Number) %>
于 2010-03-23T13:26:38.453 に答える