如何使用DataAnnotations使用多个文件扩展名
本文关键字:文件 扩展名 何使用 DataAnnotations | 更新日期: 2023-09-27 18:18:36
例如,以下代码可以正常工作:
[Required(ErrorMessage = "Choose an image"),
FileExtensions(Extensions = "jpg", ErrorMessage = "Error")]
public HttpPostedFileBase BannerData { get; set; }
但是我需要更多的扩展。我试着只添加几个格式,但它不工作:
"jpg, gif, png"
或"*.jpg, *.gif, *.png"
或"GIF|*.gif|JPG|*.jpg;*.jpeg|PNG|*.png"
等。是否可以使用更多的文件扩展名?
扩展名需要用逗号分隔,并且不能有空格(空格将被视为扩展名的一部分),所以这应该可以工作:
[Required(ErrorMessage = "Choose an image"),
FileExtensions(Extensions = "jpg,gif,png", ErrorMessage = "Error")]
public HttpPostedFileBase BannerData { get; set; }
这样使用:
[Required(ErrorMessage = "Choose an image"),
FileExtensions(Extensions = "jpg,jpeg,gif,png", ErrorMessage = "Error")]
public HttpPostedFileBase BannerData { get; set; }
这只适用于一个单一的文件扩展名,它适用于"HttpPostedFileBase"answers"string"属性类型,只适用于服务器端(所以它告诉文件上传后的结果!):
FileExtensions(Extensions = "jpg", ErrorMessage = "Error")]
public HttpPostedFileBase BannerData { get; set; }
所以如果你这样做,它永远不会工作:
FileExtensions(Extensions = "jpg,gif,png", ErrorMessage = "Error")]
FileExtensions(Extensions = "jpg|gif|png", ErrorMessage = "Error")]
FileExtensions(Extensions = "jpg gif png", ErrorMessage = "Error")]
etc...
使用DataAnnotations使用多个文件扩展名的真正方法是创建一个简单的自定义验证属性!
步骤#1:在任何地方创建一个文件夹,任意命名,创建一个类名,哈哈
YOUR_SOLUTION_NAME'Models'CustomValidation'ValidImageFileAttribute.cs
步骤#2:让它看起来像这样,你可以把isValid方法里面的代码修改成你需要的任何东西
using System;
using System.Collections.Generic;
using System.ComponentModel.DataAnnotations;
using System.IO;
using System.Linq;
using System.Web;
namespace YOUR_SOLUTION_NAME.Models.CustomValidation
{
public class ValidImageFileAttribute : ValidationAttribute
{
public override bool IsValid(object value)
{
if (value == null)
return false;
string[] _validExtensions = { "JPG", "JPEG", "BMP", "GIF", "PNG" };
var file = (HttpPostedFileBase)value;
var ext = Path.GetExtension(file.FileName).ToUpper().Replace(".", "");
return _validExtensions.Contains(ext) && file.ContentType.Contains("image");
}
}
}
步骤#3:在模型中使用自定义验证
namespace YOUR_SOLUTION_NAME.Models
{
public class testModel
{
[Required(ErrorMessage = "Please attached the personal photo")]
[ValidImageFile(ErrorMessage = "The file is not a valid image file")]
public HttpPostedFileBase File { get; set; }
}
}
步骤#4:在视图中使用模型
@model FacilityMvcApp.Models.testModel
@using (Html.BeginForm(null, null, FormMethod.Post, new { enctype = "multipart/form-data" }))
{
@Html.AntiForgeryToken()
<div class="form-horizontal">
@Html.ValidationSummary(true, "", new { @class = "text-danger" })
<div class="form-group">
@Html.TextBoxFor(Model => Model.File, new { type = "file" })
@Html.ValidationMessageFor(model => model.File ,null, new { @class = "text-danger" })
</div>
</div>
}
步骤#5:观看本教程了解更多关于自定义验证