在使用Html+ashx處理文件上傳時,遇到上傳文件超過4M的問題,首先HTML代碼如下: <!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8"/> <titl ...
在使用Html+ashx處理文件上傳時,遇到上傳文件超過4M的問題,首先HTML代碼如下:
<!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8"/> <title></title> <meta charset="utf-8" /> </head> <body> <div> 單文件上傳 <form enctype="multipart/form-data" method="post" action="UpLoadHandler.ashx"> <input type="file" name="files" /> <input type="submit" value="上傳" /> </form> </div> <div> 多文件上傳 <form enctype="multipart/form-data" method="post" action="UpLoadHandler.ashx"> <input type="file" name="files" multiple /> <input type="submit" value="上傳" /> </form> </div> </body> </html>View Code
一般處理程式UpLoadHandler.ashx的代碼如下:
using System; using System.Collections.Generic; using System.IO; using System.Linq; using System.Web; namespace Zhong.Web { /// <summary> /// UpLoadHandler 的摘要說明 /// </summary> public class UpLoadHandler : IHttpHandler { public void ProcessRequest(HttpContext context) { context.Response.ContentType = "text/plain"; //獲取所有的上傳文件 //如果上傳的文件超過了4M,則會報異常[超過了最大請求長度。],需要在Web.config配置 HttpFileCollection hfc = context.Request.Files; //如果是hfc.Count為0,則可以認為是直接請求該ashx處理程式 for (int i = 0; i < hfc.Count; i++) { HttpPostedFile hpf = hfc[i]; if (hpf.ContentLength > 0) { //大小限制 int maxSize = 2 * 1024 * 1024; //最大是2M(轉換為位元組) if (hpf.ContentLength > maxSize) { context.Response.Write("上傳文件大小超出限制"); return; } //擴展名限制 string[] exts = { "image/jpg", "image/jpeg", "image/gif", "image/png" }; if (!exts.Contains(hpf.ContentType.ToLower())) { context.Response.Write("必須上傳圖片文件"); return; } string fileName = Path.GetFileName(hpf.FileName); hpf.SaveAs(context.Server.MapPath("~/UpLoad/" + fileName)); } } ////獲取指定name的文件上傳 ////該方式如果是html5的<input type="file" name="files" multiple />則始終是獲取第一個上傳的文件,multiple ////是支持多個文件上傳,所以如果上傳文件多於一個,則會丟失 //HttpPostedFile hpf = context.Request.Files["files"]; //if (hpf!= null && hpf.ContentLength > 0) //{ // hpf.SaveAs(context.Server.MapPath("~/UpLoad/" + Path.GetFileName(hpf.FileName))); //} context.Response.Write("上傳成功"); } public bool IsReusable { get { return false; } } } }View Code
在上傳一個超過4M的文件時,異常如下:
這時可以通過配置web.config修改文件上傳的大小限制。
<?xml version="1.0" encoding="utf-8"?> <!-- 有關如何配置 ASP.NET 應用程式的詳細信息,請訪問 http://go.microsoft.com/fwlink/?LinkId=169433 --> <configuration> <system.web> <!--maxRequestLength的單位是kb,最大不能超過2097151 Kb即4GB,executionTimeout執行超時,單位是秒--> <httpRuntime maxRequestLength="2097151" executionTimeout="600"/> <compilation debug="true" targetFramework="4.0" /> </system.web> </configuration>
此處增加了一行<httpRuntime maxRequestLength="2097151" executionTimeout="600"/>