我是JQuery和MVC的新手。在我的应用程序中,我在按钮单击时打开一个JQuery模式对话框。我使用控制器操作方法在此对话框上呈现部分视图,如下所示:
public ActionResult Create()
{
return PartialView("Create");
}
部分视图包含一些文本框和“创建”按钮。在创建按钮我试图在数据库中保存数据。但在此之前我做了一些验证,如果输入的名称已经存在,那么向用户显示该消息。 我使用以下代码完成了此操作:
return PartialView("Create", model);
这是正确显示消息但它只在浏览器中呈现部分视图,模态对话框消失了。
请让我知道如何显示相同的模态对话框并显示错误。
答案 0 :(得分:10)
您需要使用表单的AJAX提交。这是如何进行的。始终以视图模型开始,该模型将表示对话框表单的信息:
public class MyViewModel
{
public string Foo { get; set; }
[Required(ErrorMessage = "The bar is absolutely required")]
public string Bar { get; set; }
}
然后是控制器:
public class HomeController : Controller
{
public ActionResult Index()
{
return View();
}
public ActionResult Create()
{
return PartialView("Create");
}
[HttpPost]
public ActionResult Create(MyViewModel model)
{
if (!ModelState.IsValid)
{
return PartialView(model);
}
// TODO: the model is valid => do some processing with it
// and return a JSON result confirming the success
return Json(new { success = true });
}
}
和主视图(~/Views/Home/Index.cshtml
):
<script src="@Url.Content("~/Scripts/jquery-ui-1.8.11.js")" type="text/javascript"></script>
<script type="text/javascript">
// Remark: all this javascript could be placed in a separate js file
// to avoid cluttering the views
$(function () {
$('#modalLink').click(function () {
$('#dialog').load(this.href, function () {
$(this).dialog();
bindForm(this);
});
return false;
});
});
function bindForm(dialog) {
$('form', dialog).submit(function () {
$.ajax({
url: this.action,
type: this.method,
data: $(this).serialize(),
success: function (result) {
if (result.success) {
alert('thanks for submitting');
$('#dialog').dialog('close');
} else {
$('#dialog').html(result);
bindForm();
}
}
});
return false;
});
}
</script>
@Html.ActionLink("open modal", "create", null, null, new { id = "modalLink" })
<div id="dialog"></div>
和部分视图(~/Views/Home/Create.cshtml
),其中包含模式中显示的表单:
@model MyViewModel
@using (Html.BeginForm())
{
<div>
@Html.LabelFor(x => x.Foo)
@Html.EditorFor(x => x.Foo)
@Html.ValidationMessageFor(x => x.Foo)
</div>
<div>
@Html.LabelFor(x => x.Bar)
@Html.EditorFor(x => x.Bar)
@Html.ValidationMessageFor(x => x.Bar)
</div>
<input type="submit" value="OK" />
}