获取从文本框传递到控制器的变量
本文关键字:控制器 变量 文本 获取 | 更新日期: 2023-09-27 18:18:07
我有一个简单的模型,我使用搜索页面做一些验证:
public class Search {
[Required]
[DisplayName("Tag Number")]
[RegularExpression("([1-9][0-9]*)", ErrorMessage = "Tag must be a number")]
public int HouseTag { get; set; }
然后我有一个简单的视图,一个文本框和一个提交按钮:
@model Search
@{
Layout = "~/_Layout.cshtml";
}
@using (Html.BeginForm("Search", "Inquiry", FormMethod.Get)){
@Html.LabelFor(m =>m.HouseTag)
@Html.TextBoxFor(m=>m.HouseTag, new { type = "Search", autofocus = "true", style = "width: 200px", @maxlength = "6" })
<input type="submit" value="Search" id="submit"/>
我的控制器正在等待一个id参数:
[HttpGet]
public ActionResult Search(int id){
ViewBag.Tag = id;
return View();
}
当我用一个数字执行时,我得到一个空值传递给控制器,导致事情爆炸。我正在使用该模型来控制搜索框的一些属性以进行验证。我以前只有@Html。TextBox,它返回的很好,但是现在我添加了模型,它不返回任何东西
您可以将参数设置为Search类型,然后在操作
中访问该属性。[HttpGet]
public ActionResult Search(Search model){
ViewBag.Tag = model.HouseTag;
return View();
}
如果是我,我会让这个HttpPost或创建一个单独的动作,这样我就不会在URL中看到HouseTag文本。
@using (Html.BeginForm("Search", "Inquiry", FormMethod.Post))
{
@Html.LabelFor(m => m.HouseTag)
@Html.TextBoxFor(m => m.HouseTag, new { type = "Search", autofocus = "true", style = "width: 200px", @maxlength = "6" })
<input type="submit" value="Search" id="submit" />
}
[HttpPost]
public ActionResult Search(Search model){
ViewBag.Tag = model.HouseTag;
return View();
}
您正在等待一个名为id的参数,并且您正在传递HouseTag作为该参数的名称,您应该在搜索方法中将id重命名为HouseTag
这里发生了几件事。首先,您需要拆分Get和Post操作。此外,表单只能与POST的表单一起使用。你也不需要命名你的动作或控制器,除非你要发送到不同的控制器或动作,而不是GET。
这是get。它在页面上呈现表单。你不需要把[HttpGet]放在那里,它是默认的。
public ActionResult Search()
{
return View();
}
下面的代码将把表单发送回服务器。模型绑定器将把HTML表单字段与视图模型连接起来。由于您在视图模型上有验证器,您将需要检查模型状态是否有效,并重新显示带有相关错误的视图。你需要在你的视图中添加一个@Html.ValidationMessageFor(…),这样你才能真正看到这些错误。
[HttpPost]
public ActionResult Inquiry(Search search)
{
if (!ModelState.IsValid)
{
return View(search);
}
//so something with your posted model.
}