小编典典

文件上传 ASP.NET MVC 3.0

all

我想在 asp.net mvc 中上传文件。如何使用 htmlinput file控件上传文件?


阅读 103

收藏
2022-03-01

共1个答案

小编典典

您不使用文件输入控件。ASP.NET MVC
中不使用服务器端控件。查看以下博客文章,该文章说明了如何在 ASP.NET MVC 中实现此目的。

因此,您将从创建一个包含文件输入的 HTML 表单开始:

@using (Html.BeginForm("Index", "Home", FormMethod.Post, new { enctype = "multipart/form-data" }))
{
    <input type="file" name="file" />
    <input type="submit" value="OK" />
}

然后你会有一个控制器来处理上传:

public class HomeController : Controller
{
    // This action renders the form
    public ActionResult Index()
    {
        return View();
    }

    // This action handles the form POST and the upload
    [HttpPost]
    public ActionResult Index(HttpPostedFileBase file)
    {
        // Verify that the user selected a file
        if (file != null && file.ContentLength > 0) 
        {
            // extract only the filename
            var fileName = Path.GetFileName(file.FileName);
            // store the file inside ~/App_Data/uploads folder
            var path = Path.Combine(Server.MapPath("~/App_Data/uploads"), fileName);
            file.SaveAs(path);
        }
        // redirect back to the index action to show the form once again
        return RedirectToAction("Index");        
    }
}
2022-03-01