このモデルを前提として、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>
string
の代わりに HttpPostedFileBase を使用して、ビューモデルにアップロードされたファイルを表す方が理にかなっています。
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");
}
}
これはMVC5の例です(htmlAttributesに必要です)。
これを〜\ Views\Shared\EditorTemplatesの下にHttpPostedFileBase.cshtmlというファイルとして作成します
@model HttpPostedFileBase
@{
var htmlAttributes = HtmlHelper.AnonymousObjectToHtmlAttributes(ViewData["htmlAttributes"]);
htmlAttributes["type"] = "file";
}
@Html.TextBoxFor(model => model, htmlAttributes)
これにより、正しいIDと名前でコントロールが生成され、モデルEditorForテンプレートからコレクションを編集するときに機能します。
追加: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を使用していますが、他のバージョンではテストしていません。