ASP.NET MVC 视图模型属性为空



我有以下视图模型:

public class ProjectViewModel
{
    public Project Project { get; set; }
    public Customer Customer { get; set; }
}

Customer属性仅用于将新Project链接到客户,因此我不会在我的"创建"视图中包含此属性,如下所示:

@using (Html.BeginForm()) 
{
@Html.AntiForgeryToken()
<div class="form-horizontal">
    <h4>Project</h4>
    <hr />
    @Html.ValidationSummary(true, "", new { @class = "text-danger" })
    <div class="form-group">
        @Html.LabelFor(model => model.Project.Name, htmlAttributes: new { @class = "control-label col-md-2" })
        <div class="col-md-10">
            @Html.EditorFor(model => model.Project.Name, new { htmlAttributes = new { @class = "form-control" } })
            @Html.ValidationMessageFor(model => model.Project.Name, "", new { @class = "text-danger" })
        </div>
    </div>
    <div class="form-group">
        <div class="col-md-offset-2 col-md-10">
            <input type="submit" value="Create" class="btn btn-default" />
        </div>
    </div>
</div>
}

当我发布表单时,我的ProjectsController中触发了以下方法:

[HttpPost]
[ValidateAntiForgeryToken]
public ActionResult Create([Bind(Include = "Project,Customer")] ProjectViewModel vm)
{
    var project = Mapper.Map<Project>(vm);
    if (ModelState.IsValid)
    {
        _db.Create(project);
        return RedirectToAction("Index");
    }
    return View(vm);
}

这是发生意外行为的地方。现在,当我检查vm属性时,Customer属性是null

问题如何在视图中不使用它时仍保持 Customer 属性已填充?

如果要

保留客户数据,则需要将所有字段设置为隐藏元素,否则它们将在重定向中丢失。

@Html.HiddenFor(model => model.Customer.Property1) ...etc...

简短的回答是你不能。 回发数据时,唯一包含的数据是 HTML 页面上表单中的内容。

最好的办法是使用会话变量或在 post 处理程序中再次查找数据,或者将数据序列化为隐藏字段。

若要确保初始化 ProjectViewModel 时 Customer 属性永远不会为 null,可以向 ProjectViewModel 类添加一个构造函数,将 Customer 属性初始化为new Customer(),如下所示:

public class ProjectViewModel
{
    // Constructor
    public ProjectViewModel()
    {
        Customer = new Customer();
    }
    public Customer Customer { get; set; }
}

相关内容

  • 没有找到相关文章

最新更新