.NET MVC 视图表单输入值不接受用户输入



>我正在构建一个 .NET MVC 项目,并且遇到以下情况:模型的"创建"窗体不接受用户输入,即使我输入不同的值,仍提交 0。如下所示,该字段不能接受值 0,因此会使模型无效。

相关模型字段:

public class Inventory
{
[Key]
[Display(Name = "Inventory ID")]
public int InventoryID { get; set; }
[Required]
[Range(1, int.MaxValue, ErrorMessage = "Please enter a value larger than 0")]
public int QTY { get; set; }

获取和开机自检控制器:

// GET: Inventories/Create
public IActionResult Create()
{
ViewData["BinID"] = new SelectList(_context.Bins, "BinID", "BinName");
ViewData["ProductID"] = new SelectList(_context.Products, "ProductID", "ProductDescription");
return View();
}
// POST: Inventories/Create
[HttpPost]
[ValidateAntiForgeryToken]
public async Task<IActionResult> Create([Bind("InventoryID,Quantity,BinID,ProductID")] Inventory inventory)
{
if (ModelState.IsValid)
{
_context.Add(inventory);
try
{
await _context.SaveChangesAsync();
}
catch (DbUpdateException ex)
{
// send message to view
ModelState.AddModelError(string.Empty, "An inventory for this bin and product already exists");
ViewData["BinID"] = new SelectList(_context.Bins, "BinID", "BinName", inventory.BinID);
ViewData["ProductID"] = new SelectList(_context.Products, "ProductID", "ProductDescription", inventory.ProductID);
return View(inventory);
}
return RedirectToAction(nameof(Index));
}
ViewData["BinID"] = new SelectList(_context.Bins, "BinID", "BinName", inventory.BinID);
ViewData["ProductID"] = new SelectList(_context.Products, "ProductID", "ProductDescription", inventory.ProductID);
return View(inventory);
}

视图:

<div class="form-group">
<label asp-for="QTY" class="control-label"></label>
<input asp-for="QTY" class="form-control" />
<span asp-validation-for="QTY" class="text-danger"></span>
</div>

编辑: 更改为公共 int?QTY 不起作用 - 同样的问题仍然存在,只是错误现在是 QTY 字段是必需的,因为默认 HTML 值为 null 而不是 0。输入字段根本不会保留该值。

您的绑定不正确[Bind("InventoryID,Quantity,BinID,ProductID")] Inventory inventory.你应该做这样的事情:[Bind("InventoryID,QTY")] Inventory inventory.

事实上,当您提交表单时,它将发送一个字典对象,然后 Bind 类将查看您的对象(在本例中为 Inventory(和发送的字典之间是否存在任何匹配项。

如果 Inventory 对象具有其他属性,则可以将它们绑定到绑定中。

最新更新