存储用户上传的图像然后在我的网站上显示的最佳方式是什么?
@Html
执行任何类似@Html.FileFor(...)
的内容,以及如何在我的操作中获取<input type='file'/>
的数据?答案 0 :(得分:15)
在我看来,第二种方式更方便。
我的意见也是如此。
在这两种情况下如何以html格式上传此图像?
非常简单。与ASP.NET MVC应用程序一样,您首先要设计一个视图模型:
public class MyViewModel
{
[Required]
public HttpPostedFileBase File { get; set; }
}
然后你可以让一个控制器有2个动作(一个渲染视图,另一个渲染文件上传):
public class HomeController: Controller
{
public ActionResult Index()
{
return View(new MyViewModel());
}
[HttpPost]
public ActionResult Index(MyViewModel model)
{
if (!ModelState.IsValid)
{
// the user didn't upload any file =>
// render the same view again in order to display the error message
return View(model);
}
// at this stage the model is valid =>
// you could handle the file upload here
// let's generate a filename to store the file on the server
var fileName = Guid.NewGuid().ToString() + Path.GetFileName(file.FileName);
var path = Path.Combine(Server.MapPath("~/App_Data"), fileName);
// store the uploaded file on the file system
file.SaveAs(path);
// TODO: now you could store the path in your database
// and finally return some ActionResult
// to inform the user that the upload process was successful
return Content("Thanks for uploading. Your file has been successfully stored on our server");
}
}
最后,您将拥有一个相应的强类型视图,该视图将与表单进行协商以上传文件:
@model MyViewModel
@using (Html.BeginForm(null, null, FormMethod.Post, new { enctype = "multipart/form-data" }))
{
<div>
@Html.LabelFor(x => x.File)
@Html.TextBoxFor(x => x.File, new { type = "file" })
@Html.ValidationMessageFor(x => x.File)
</div>
<button type="sybmit">Upload</button>
}
另外,我建议你阅读Phil Haack's blog post
,说明ASP.NET MVC中的文件上传工作。