可以使用EditorFor()创建<input type =“file”/>吗?

时间:2011-05-24 16:06:36

标签: c# asp.net-mvc asp.net-mvc-2 editorfor

鉴于此模型,是否可以使用Html.EditorFor()将文件上传输入元素呈现给页面?我玩了FileName属性的数据类型,它肯定会影响渲染的编辑器表单。

public class DR405Model
{
    [DataType(DataType.Text)]
    public String TaxPayerId { get; set; }
    [DataType(DataType.Text)]
    public String ReturnYear { get; set; }

    public String  FileName { get; set; }
}

强类型* .aspx页面如下所示

    <div class="editor-field">
        <%: Html.EditorFor(model => model.FileName) %>
        <%: Html.ValidationMessageFor(model => model.FileName) %>
    </div>

4 个答案:

答案 0 :(得分:37)

使用HttpPostedFileBase代表视图模型上的上传文件而不是string更有意义:

public class DR405Model
{
    [DataType(DataType.Text)]
    public string TaxPayerId { get; set; }

    [DataType(DataType.Text)]
    public string ReturnYear { get; set; }

    public HttpPostedFileBase File { get; set; }
}

然后您可以拥有以下视图:

<% using (Html.BeginForm("Index", "Home", FormMethod.Post, new { enctype = "multipart/form-data" })) { %>

    ... input fields for other view model properties

    <div class="editor-field">
        <%= Html.EditorFor(model => model.File) %>
        <%= Html.ValidationMessageFor(model => model.File) %>
    </div>

    <input type="submit" value="OK" />
<% } %>

最后在~/Views/Shared/EditorTemplates/HttpPostedFileBase.ascx

中定义相应的编辑器模板
<%@ Control Language="C#" Inherits="System.Web.Mvc.ViewUserControl" %>
<input type="file" name="<%: ViewData.TemplateInfo.GetFullHtmlFieldName("") %>" id="<%: ViewData.TemplateInfo.GetFullHtmlFieldId("") %>" />

现在控制器可能如下所示:

public class HomeController : Controller
{
    public ActionResult Index()
    {
        return View(new DR405Model());
    }

    [HttpPost]
    public ActionResult Index(DR405Model model)
    {
        if (model.File != null && model.File.ContentLength > 0)
        {
            var fileName = Path.GetFileName(model.File.FileName);
            var path = Path.Combine(Server.MapPath("~/App_Data"), fileName);
            model.File.SaveAs(path);
        }

        return RedirectToAction("Index");
    }
}

答案 1 :(得分:9)

这是MVC 5的一个示例(htmlAttributes需要)。

在〜\ Views \ Shared \ EditorTemplates

下创建一个名为HttpPostedFileBase.cshtml的文件
@model HttpPostedFileBase
@{
    var htmlAttributes = HtmlHelper.AnonymousObjectToHtmlAttributes(ViewData["htmlAttributes"]);
    htmlAttributes["type"] = "file";
}
@Html.TextBoxFor(model => model, htmlAttributes)

这将生成具有正确id和名称的控件,并在从模型EditorFor模板编辑集合时起作用。

答案 2 :(得分:4)

添加: htmlAttributes = new {type =“file”}

<div class="editor-field">
    <%: Html.EditorFor(model => model.FileName, new { htmlAttributes = new { type = "file" }) %>
    <%: Html.ValidationMessageFor(model => model.FileName) %>
</div>

注意:我正在使用MVC 5,我还没有在其他版本上测试过。

答案 3 :(得分:0)