0

我正在按照这里的帖子上传和图像并验证其有效性: 如何在 ASP.NET MVC 中验证上传的文件? 但是,我的示例略有不同,因为我不仅接收文件,还接收模型的一些属性。但是,我的验证器总是触发,我调试并发现我的文件总是为空,所以验证器总是触发'false'。我不明白为什么,我的观点似乎是正确的。有任何想法吗?

namespace PhotoManagement.Models
{
public class Photo
{
    public virtual int PhotoId { get; set; }
    public virtual int ClientId { get; set; }
    public virtual string PhotoDescription { get; set; }
    [ImageValidation(ErrorMessage="Please select a PNG/JPEG image smaller than 10 MB")]
    [NotMapped]
    public HttpPostedFileBase File { get; set; }
}
}

    [HttpPost]
    [ValidateAntiForgeryToken]
    public ActionResult Create(Photo photo)
    {
        if (ModelState.IsValid)
        {
            db.Photos.Add(photo);
            db.SaveChanges();
            // File upload occurs now
            var FilePath = Path.Combine(Server.MapPath("~/App_Data/" + photo.ClientId), photo.PhotoId.ToString());
            photo.File.SaveAs(FilePath);
            return RedirectToAction("Create");
        }
        else return View();
    }

@using (Html.BeginForm(new { enctype = "multipart/form-data" })) {
@Html.AntiForgeryToken()
@Html.ValidationSummary(true)

<fieldset>
    <legend>Photo for @Session["Name"]</legend>

    <div class="editor-field">
        @Html.Hidden("ClientId",(int)Session["UserId"])
    </div>

    <div class="editor-label">
        @Html.LabelFor(model => model.PhotoDescription)
    </div>
    <div class="editor-field">
        @Html.EditorFor(model => model.PhotoDescription)
        @Html.ValidationMessageFor(model => model.PhotoDescription)
    </div>

    <div class="editor-label">
        @Html.LabelFor(model => model.File)
    </div>
    <div class="editor-field">
        <input type="file" name="File" id="File"/>
        @Html.ValidationMessageFor(model => model.File)
    </div>
4

3 回答 3

1

您使用了错误的帮助程序重载Html.BeginForm

正确的调用是这样的:

@using (Html.BeginForm(null, null, FormMethod.Post, new { enctype = "multipart/form-data" }))
{

}

你打电话给:

Html.BeginForm(object routeValues)

代替:

Html.BeginForm(
    string actionName, 
    string controllerName, 
    FormMethod method, 
    object htmlAttributes
)

查看浏览器中生成的标记,您将看到根本的区别。

于 2013-06-03T13:02:17.473 回答
0

代替

public ActionResult Create(Photo photo)

尝试

public ActionResult Create(Photo photo, HttpPostedFileBase file)

编辑:不要忘记在视图中将 HTTP 方法设置为 POST:

@using (Html.BeginForm("ActionName", "ControllerName", FormMethod.Post, new { enctype = "multipart/form-data" }))
于 2013-06-03T12:56:19.247 回答
-1

模型中的文件总是会给你空值。为了获取文件:

[HttpPost]
        public ActionResult Create(UserViewModel model, 
FormCollection formCollection, HttpPostedFileBase file){

     /* Your code here */
    if(file==null)
    {
        ModelState.AddModelError("NoFile", "Upload File");
    }
}

这里HttpPostedFileBase 文件将为您提供上传文件的完整对象。您可以检查目标文件的条件。不要忘记在视图中添加下面提到的验证消息。

@Html.ValidationMessage("NoFile")
于 2013-06-03T13:03:45.503 回答