好的,这是我找到的解决方案。我敢肯定还有其他解决方案。首先是一点背景,因为我的应用程序使用 EF 代码优先迁移,在我的模型中指定HttpPostedFileBase属性类型,在添加迁移时会产生此错误:
在模型生成期间检测到一个或多个验证错误:System.Data.Entity.Edm.EdmEntityType: : EntityType 'HttpPostedFileBase' 没有定义键。定义此 EntityType 的键。\tSystem.Data.Entity.Edm.EdmEntitySet: EntityType: EntitySet 'HttpPostedFileBases' 基于没有定义键的类型'HttpPostedFileBase'。
所以我真的必须坚持对 AttachmentTrace 属性使用字符串类型。
解决方案是使用这样的 ViewModel 类:
public class CertificateViewModel {
// .. other properties
[Required]
[FileTypes("xls,xlsx")]
public HttpPostedFileBase AttachmentTrace { get; set; }
}
然后像这样创建一个 FileTypesAttribute,我从这篇优秀的帖子中借用了这段代码。
public class FileTypesAttribute : ValidationAttribute {
private readonly List<string> _types;
public FileTypesAttribute(string types) {
_types = types.Split(',').ToList();
}
public override bool IsValid(object value) {
if (value == null) return true;
var postedFile = value as HttpPostedFileBase;
var fileExt = System.IO.Path.GetExtension(postedFile.FileName).Substring(1);
return _types.Contains(fileExt, StringComparer.OrdinalIgnoreCase);
}
public override string FormatErrorMessage(string name) {
return string.Format("Invalid file type. Only {0} are supported.", String.Join(", ", _types));
}
}
在控制器动作中,我需要进行更改以改用 ViewModel,然后使用 AutoMapper 将其映射回我的实体(顺便说一句,这非常好):
public ActionResult Create(CertificateViewModel certificate, HttpPostedFileBase attachmentTrace, HttpPostedFileBase attachmentEmail) {
if (ModelState.IsValid) {
// Let's use AutoMapper to map the ViewModel back to our Certificate Entity
// We also need to create a converter for type HttpPostedFileBase -> string
Mapper.CreateMap<HttpPostedFileBase, string>().ConvertUsing(new HttpPostedFileBaseTypeConverter());
Mapper.CreateMap<CreateCertificateViewModel, Certificate>();
Certificate myCert = Mapper.Map<CreateCertificateViewModel, Certificate>(certificate);
// other code ...
}
return View(myCert);
}
对于 AutoMapper,我为 HttpPostedFileBase 创建了自己的 TypeConverter,如下所示:
public class HttpPostedFileBaseTypeConverter : ITypeConverter<HttpPostedFileBase, string> {
public string Convert(ResolutionContext context) {
var fileBase = context.SourceValue as HttpPostedFileBase;
if (fileBase != null) {
return fileBase.FileName;
}
return null;
}
}
就是这样。希望这可以帮助其他可能遇到同样问题的人。