web-dev-qa-db-ja.com

ASP.NET MVCを使用してデータベースにファイルをアップロードする

ユーザーがファイルをアップロードしてデータベースに保存できるように、フォームに機能を提供したいと考えています。これはASP.NET MVCではどのように行われますか。

モデルクラスに書き込むDataType。 Byte[]、しかし、足場の間に、ソリューションは対応するビューでそれに適切なHTMLを生成できませんでした。

これらのケースはどのように処理されますか?

18

byte[]をモデルに、HttpPostedFileBaseをビューモデルに。例えば:

public class MyViewModel
{
    [Required]
    public HttpPostedFileBase File { get; set; }
}

その後:

public class HomeController: Controller
{
    public ActionResult Index()
    {
        var model = new MyViewModel();
        return View(model);
    }

    [HttpPost]
    public ActionResult Index(MyViewModel model)
    {
        if (!ModelState.IsValid)
        {
            return View(model);
        }

        byte[] uploadedFile = new byte[model.File.InputStream.Length];
        model.File.InputStream.Read(uploadedFile, 0, uploadedFile.Length);

        // now you could pass the byte array to your model and store wherever 
        // you intended to store it

        return Content("Thanks for uploading the file");
    }
}

そして最後にあなたの見解では:

@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="submit">Upload</button>
}
41
Darin Dimitrov