在MVC中显示文件夹中的所有图像.每个人都有

本文关键字:图像 每个人 文件夹 MVC 显示 显示文件 | 更新日期: 2023-09-27 18:09:05

我想显示我所有的图片在我的文件夹"Images_uploads"文件夹到MVC视图。它在网站上显示。但似乎什么都没用。

{
<form method="post" action="/Images_upload" enctype="multipart/form-data">  
    <input name="ImageUploaded" type="file">  
    <input type="submit">  
</form>  
<List<String> li = ViewData["~/images_upload"] as List<String>;
 foreach (var picture in li)
    <img src = '@Url.Content("~/images_upload" + picture)' alt="Hejsan" />
}

在MVC中显示文件夹中的所有图像.每个人都有

你应该在控制器中做这种事。使用EnumerateFiles获取文件夹中所有文件的列表:

// controller
public ActionResult MyAction()
{
    ...
    ViewBag.Images = Directory.EnumerateFiles(Server.MapPath("~/images_upload"))
                              .Select(fn => "~/images_upload/" + Path.GetFileName(fn));
    return View(...);
}
// view
@foreach(var image in (IEnumerable<string>)ViewBag.Images))
{
    <img src="@Url.Content(image)" alt="Hejsan" />
}

更好的是,使用强类型视图模型,像这样:

// model
class MyViewModel
{
    public IEnumerable<string> Images { get; set; }
}
// controller
public ActionResult MyAction()
{
    var model = new MyViewModel()
    {
        Images = Directory.EnumerateFiles(Server.MapPath("~/images_upload"))
                          .Select(fn => "~/images_upload/" + Path.GetFileName(fn))
    };
    return View(model);
}
// view
@foreach(var image in Model.Images)
{
    <img src="@Url.Content(image)" alt="Hejsan" />
}