<input type =“file”/>에 대한 HTML 도우미


124

거기가 HTMLHelper파일 업로드? 특히, 나는 대체를 찾고 있습니다

<input type="file"/>

ASP.NET MVC HTMLHelper를 사용합니다.

또는 내가 사용하는 경우

using (Html.BeginForm()) 

파일 업로드를위한 HTML 컨트롤은 무엇입니까?

답변:


207

HTML 업로드 파일 ASP MVC 3.

모델 : ( FileExtensionsAttribute는 MvcFutures에서 사용할 수 있습니다. 파일 확장자 클라이언트 측과 서버 측의 유효성을 검사합니다. )

public class ViewModel
{
    [Required, Microsoft.Web.Mvc.FileExtensions(Extensions = "csv", 
             ErrorMessage = "Specify a CSV file. (Comma-separated values)")]
    public HttpPostedFileBase File { get; set; }
}

HTML보기 :

@using (Html.BeginForm("Action", "Controller", FormMethod.Post, new 
                                       { enctype = "multipart/form-data" }))
{
    @Html.TextBoxFor(m => m.File, new { type = "file" })
    @Html.ValidationMessageFor(m => m.File)
}

컨트롤러 동작 :

[HttpPost]
public ActionResult Action(ViewModel model)
{
    if (ModelState.IsValid)
    {
        // Use your file here
        using (MemoryStream memoryStream = new MemoryStream())
        {
            model.File.InputStream.CopyTo(memoryStream);
        }
    }
}

이것은 파일 입력을 렌더링하지 않고 <input type="file" />텍스트 상자 만 렌더링합니다
Ben

Microsoft.Web.Mvc.FileExtensions 줄이있는 @PauliusZaliaduonis MVC에는 빨간색 밑줄이 표시됩니다. 어떻게 수정합니까?
Pomster

1
@pommy FileExtensionsAttribute는 MvcFutures (MVC3 기준)에서 사용할 수 있습니다. 여기에서 소스를 사용할 수 있습니다. 소스 또는 .NET Framework 4.5에서 사용할 수 있습니다. MSDN 설명서
Paulius Zaliaduonis

1
불행히도 FileExtension 특성은 HttpPostedFileBase 유형의 속성에서 작동하지 않는 것 같지만 문자열로만 보입니다. 적어도 pdf를 유효한 확장으로 받아들이지 않았습니다.
Serj Sagan 2013

유효한 HTML5로 확인되지 않는 값 속성 (value = "")이 추가됩니다. 값은 입력 유형 파일 및 이미지에서 유효하지 않습니다. value 속성을 제거하는 방법이 없습니다. 하드 코딩 된 것 같습니다.
Dan Friedman 2013

19

다음을 사용할 수도 있습니다.

@using (Html.BeginForm("Upload", "File", FormMethod.Post, new { enctype = "multipart/form-data" }))
{ 
    <p>
        <input type="file" id="fileUpload" name="fileUpload" size="23" />
    </p>
    <p>
        <input type="submit" value="Upload file" /></p> 
}


6

또는 제대로 할 수 있습니다.

HtmlHelper Extension 클래스에서 :

public static MvcHtmlString FileFor<TModel, TProperty>(this HtmlHelper<TModel> helper, Expression<Func<TModel, TProperty>> expression)
    {
        return helper.FileFor(expression, null);
    }

public static MvcHtmlString FileFor<TModel, TProperty>(this HtmlHelper<TModel> helper, Expression<Func<TModel, TProperty>> expression, object htmlAttributes)
    {
        var builder = new TagBuilder("input");

        var id = helper.ViewContext.ViewData.TemplateInfo.GetFullHtmlFieldName(ExpressionHelper.GetExpressionText(expression));
        builder.GenerateId(id);
        builder.MergeAttribute("name", id);
        builder.MergeAttribute("type", "file");

        builder.MergeAttributes(new RouteValueDictionary(htmlAttributes));

        // Render tag
        return MvcHtmlString.Create(builder.ToString(TagRenderMode.SelfClosing));
    }

이 줄 :

var id = helper.ViewContext.ViewData.TemplateInfo.GetFullHtmlFieldName(ExpressionHelper.GetExpressionText(expression));

목록 및 항목에서 알고있는 모델에 고유 한 ID를 생성합니다. 모델 [0]. 이름 등

모델에서 올바른 속성을 만듭니다.

public HttpPostedFileBase NewFile { get; set; }

그런 다음 양식이 파일을 전송하는지 확인해야합니다.

@using (Html.BeginForm("Action", "Controller", FormMethod.Post, new { enctype = "multipart/form-data" }))

다음은 도우미입니다.

@Html.FileFor(x => x.NewFile)

이 솔루션은 더 눈에 띄고 @Html 도우미 메서드와 일관성을 유지합니다.
Yahfoufi

4

Paulius Zaliaduonis의 답변 개선 버전 :

유효성 검사가 제대로 작동하도록하려면 모델을 다음과 같이 변경해야합니다.

public class ViewModel
{
      public HttpPostedFileBase File { get; set; }

        [Required(ErrorMessage="A header image is required"), FileExtensions(ErrorMessage = "Please upload an image file.")]
        public string FileName
        {
            get
            {
                if (File != null)
                    return File.FileName;
                else
                    return String.Empty;
            }
        }
}

보기 :

@using (Html.BeginForm("Action", "Controller", FormMethod.Post, new 
                                       { enctype = "multipart/form-data" }))
{
    @Html.TextBoxFor(m => m.File, new { type = "file" })
    @Html.ValidationMessageFor(m => m.FileName)
}

이것은 @Serj Sagan이 문자열로만 작동하는 FileExtension 속성에 대해 썼기 때문에 필요합니다.


이 대답을 Paulius의 대답에 병합 할 수 없습니까?
Graviton 2014

2

를 사용 BeginForm하는 방법은 다음과 같습니다.

 using(Html.BeginForm("uploadfiles", 
"home", FormMethod.POST, new Dictionary<string, object>(){{"type", "file"}})

2
먼저 입력 요소를 생성하는 방법을 언급하고 이제 양식 요소를 생성하는 방법에 대해 이야기합니까? 이것이 정말로 당신의 대답입니까?
pupeno 2009-06-28

0

이것은 또한 작동합니다 :

모델:

public class ViewModel
{         
    public HttpPostedFileBase File{ get; set; }
}

전망:

@using (Html.BeginForm("Action", "Controller", FormMethod.Post, new 
                                       { enctype = "multipart/form-data" }))
{
    @Html.TextBoxFor(m => m.File, new { type = "file" })       
}

컨트롤러 동작 :

[HttpPost]
public ActionResult Action(ViewModel model)
{
    if (ModelState.IsValid)
    {
        var postedFile = Request.Files["File"];

       // now you can get and validate the file type:
        var isFileSupported= IsFileSupported(postedFile);

    }
}

public bool IsFileSupported(HttpPostedFileBase file)
            {
                var isSupported = false;

                switch (file.ContentType)
                {

                    case ("image/gif"):
                        isSupported = true;
                        break;

                    case ("image/jpeg"):
                        isSupported = true;
                        break;

                    case ("image/png"):
                        isSupported = true;
                        break;


                    case ("audio/mp3"):  
                        isSupported = true;
                        break;

                    case ("audio/wav"):  
                        isSupported = true;
                        break;                                 
                }

                return isSupported;
            }

contentTypes 목록


-2

이것은 내가 생각하기에 약간 엉망이지만 올바른 유효성 검사 속성 등이 적용됩니다.

@Html.Raw(Html.TextBoxFor(m => m.File).ToHtmlString().Replace("type=\"text\"", "type=\"file\""))
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.