ModelState.IsValid == false,尽管插入了所有模型值

ModelState.IsValid == false, although all model values are inserted

今天我遇到了问题,在我将所有数据插入公式以创建新产品后,程序说 ModelState.IsValid==false。

当我在调试期间查看 modelState 时,字段 0 出现错误。错误:"The CuId field is required"。

为了防止我在 Creat POST 操作中正确设置 CuId,就像在 ProductController.cs:

中一样
    [HttpPost]
    [ValidateAntiForgeryToken]
    public ActionResult Create(Product product)
    {
        int lastcu = db.Customers.Max(l => l.Id);
        product.CuId = last; 

        if (ModelState.IsValid)
        {
            db.Products.Add(product);
            db.SaveChanges();
            return RedirectToAction("Create", "NewIssue");
        }


        return View(product);
    }

但它再次设置了相同的错误。 我的看法是这样的。实际上 model.CuId 应该已经设置在那里:

@using (Html.BeginForm()) {
@Html.AntiForgeryToken()
@Html.ValidationSummary(true)

<fieldset>
    <legend>Product</legend>

    <div class="editor-label">
        @Html.LabelFor(model => model.CuId, "Customer")
        @ViewBag.Cuname    
        @Html.HiddenFor(model => model.CuId, new { id = "lastcu" })
     </div>

我的 GET 控制器如下所示:

 public ActionResult Create()
    {
        int lastcu = db.Cu.Max(l => l.Id);
        //gives the id a Name
        var lastcuname = db.Customers.Find(lastcu).Name;
        //show to User by creating the product
        ViewBag.Cuname = lastcuname;
        ViewBag.CuId = lastcu;

        return View();
    }

当我在调试模式下查看模型产品的值时,除了绑定到 product.CuId 的外键和产品的 Id 之外,所有字段都被填充(也是 CuId)从数据库自动设置。

希望你能帮助我。提前致谢。

至于您问题的第一部分,ModelState 在首次调用该方法时由 DefaultModelBinder 填充。如果 属性 CuId 具有 [Required] 属性并且其值未回发,则会向 ModelState 添加错误,因此 ModelState.IsValidfalse.仅设置模型的 属性 不会删除 ModelState 值。

至于问题的第二部分,您没有将模型传递给 GET 方法中的视图,因此 @Html.HiddenFor(m => m.CuId) 生成了一个没有值的隐藏输入(因为 model.CuId 的值是null 或其默认值)。您目前所做的只是使用 ViewBag (不是好的做法)将一些值传递给视图,您甚至从未使用过。相反,将模型传递给视图,如下所示。

public ActionResult Create()
{
    int lastcu = db.Cu.Max(l => l.Id);
    var lastcuname = db.Customers.Find(lastcu).Name;
    // Initialize a new instance of the model and set properties
    Product model = new Product()
    {
      CuId = lastcu,
      Cuname = lastcuname // assume this is a property of your model?
    };
    return View(model); // return the model
}

旁注:@Html.LabelFor(model => model.CuId, "Customer") 生成一个 html <label>,这是一个无障碍元素。单击它会将焦点设置到其关联的表单控件。但是你没有关联的表单控件(只是一个无法接收焦点的隐藏输入)