私はc#MVC 2とASP.NETを使用しています。私のフォームの1つにはファイル入力フィールドが含まれており、これを使用して任意のファイルタイプを選択し、それをBLOBに変換してデータベースに保存できます。私の問題は、ユーザーがMbの特定の量(約8)を超えるファイルを選択するたびに、次のようなページエラーが発生することです。
The connection was reset
The connection to the server was reset while the page was loading.
ユーザーがアップロードするファイルに8Mbの制限があることを気にしませんが、現在のエラーの発生を停止し、適切な検証メッセージ(できればModelState.AddModelError関数を使用)を表示する必要があります。誰かが私を助けてくれますか?エラーがコントローラー内のアップロード機能に到達する前に発生しているため、ページで何かが発生する前にエラーを「キャッチ」することはできません。
1つの可能性は、カスタム検証属性を記述することです。
public class MaxFileSizeAttribute : ValidationAttribute
{
private readonly int _maxFileSize;
public MaxFileSizeAttribute(int maxFileSize)
{
_maxFileSize = maxFileSize;
}
public override bool IsValid(object value)
{
var file = value as HttpPostedFileBase;
if (file == null)
{
return false;
}
return file.ContentLength <= _maxFileSize;
}
public override string FormatErrorMessage(string name)
{
return base.FormatErrorMessage(_maxFileSize.ToString());
}
}
そして、あなたはビューモデルを持つことができます:
public class MyViewModel
{
[Required]
[MaxFileSize(8 * 1024 * 1024, ErrorMessage = "Maximum allowed file size is {0} bytes")]
public HttpPostedFileBase File { get; set; }
}
コントローラ:
public class HomeController : Controller
{
public ActionResult Index()
{
return View(new MyViewModel());
}
[HttpPost]
public ActionResult Index(MyViewModel model)
{
if (!ModelState.IsValid)
{
// validation failed => redisplay the view
return View(model);
}
// the model is valid => we could process the file here
var fileName = Path.GetFileName(model.File.FileName);
var path = Path.Combine(Server.MapPath("~/App_Data/uploads"), fileName);
model.File.SaveAs(path);
return RedirectToAction("Success");
}
}
そしてビュー:
@model MyViewModel
@using (Html.BeginForm(null, null, FormMethod.Post, new { enctype = "multipart/form-data" }))
{
@Html.TextBoxFor(x => x.File, new { type = "file" })
@Html.ValidationMessageFor(x => x.File)
<button type="submit">OK</button>
}
もちろん、これが機能するためには、web.configで許可されるアップロードファイルの最大サイズを十分に大きな値に増やす必要があります。
<!-- 1GB (the value is in KB) -->
<httpRuntime maxRequestLength="1048576" />
iIS7の場合:
<system.webServer>
<security>
<requestFiltering>
<!-- 1GB (the value is in Bytes) -->
<requestLimits maxAllowedContentLength="1073741824" />
</requestFiltering>
</security>
</system.webServer>
これで、カスタム検証属性をさらに一歩進めて、クライアント側の検証を有効にして、帯域幅の浪費を回避できます。もちろん、アップロード前にファイルサイズを確認することは HTML5 File API でのみ可能です。結果として、このAPIをサポートするブラウザのみがこのAPIを利用できます。
したがって、最初のステップは、カスタム検証属性に IClientValidatable インターフェースを実装させることです。これにより、JavaScriptでカスタムアダプターを接続できます。
public class MaxFileSizeAttribute : ValidationAttribute, IClientValidatable
{
private readonly int _maxFileSize;
public MaxFileSizeAttribute(int maxFileSize)
{
_maxFileSize = maxFileSize;
}
public override bool IsValid(object value)
{
var file = value as HttpPostedFileBase;
if (file == null)
{
return false;
}
return file.ContentLength <= _maxFileSize;
}
public override string FormatErrorMessage(string name)
{
return base.FormatErrorMessage(_maxFileSize.ToString());
}
public IEnumerable<ModelClientValidationRule> GetClientValidationRules(ModelMetadata metadata, ControllerContext context)
{
var rule = new ModelClientValidationRule
{
ErrorMessage = FormatErrorMessage(_maxFileSize.ToString()),
ValidationType = "filesize"
};
rule.ValidationParameters["maxsize"] = _maxFileSize;
yield return rule;
}
}
あとは、カスタムアダプターを構成するだけです。
jQuery.validator.unobtrusive.adapters.add(
'filesize', [ 'maxsize' ], function (options) {
options.rules['filesize'] = options.params;
if (options.message) {
options.messages['filesize'] = options.message;
}
}
);
jQuery.validator.addMethod('filesize', function (value, element, params) {
if (element.files.length < 1) {
// No files selected
return true;
}
if (!element.files || !element.files[0].size) {
// This browser doesn't support the HTML5 API
return true;
}
return element.files[0].size < params.maxsize;
}, '');
Web.configで特定のURLのリクエストの最大長を増やすことができます:
<location path="fileupload">
<system.web>
<httpRuntime executionTimeout="600" maxRequestLength="10485760" />
</system.web>
</location>