我有这个不构建的方法,它与消息错误:
无法将类型“
System.Web.HttpPostedFile
”隐式转换为“System.Web.HttpPostedFileBase
”
我真的需要这个类型为HttpPostedFileBase
而不是HttpPostedFile
,我尝试拳击而且它不起作用:
foreach (string inputTagName in HttpContext.Current.Request.Files)
{
HttpPostedFileBase filebase =HttpContext.Current.Request.Files[inputTagName];
if (filebase.ContentLength > 0)
{
if (filebase.ContentType.Contains("image/"))
{
SaveNonAutoExtractedThumbnails(doc, filebase);
}
}
}
答案 0 :(得分:24)
快速查看Reflector表示HttpPostedFileWrapper
继承自HttpPostedFileBase
并在构造函数中接受HttpPostedFile
:
foreach (string inputTagName in HttpContext.Current.Request.Files)
{
HttpPostedFileBase filebase =
new HttpPostedFileWrapper(HttpContext.Current.Request.Files[inputTagName]);
if (filebase.ContentLength > 0)
{
//...
TheVillageIdiot提出了关于更好的循环结构的一个很好的观点,如果你的范围暴露了当前HTTP上下文的Request
属性(例如在Page
上,它会对你有用,但是不在Global.asax
)中:
foreach (HttpPostedFile file in Request.Files)
{
HttpPostedFileBase filebase = new HttpPostedFileWrapper(file);
// ..
如果你有LINQ可用,你也可以使用它:
var files = Request.Files.Cast<HttpPostedFile>()
.Select(file => new HttpPostedFileWrapper(file))
.Where(file => file.ContentLength > 0
&& file.ContentType.StartsWith("image/"));
foreach (var file in files)
{
SaveNonAutoExtractedThumbnails(doc, file);
}
答案 1 :(得分:3)
首先,您不需要将其HttpPostedFileBase
HttpPostedFile
设置为正常。
其次,ContentType
为MIME Content Type,您应该查看FileName
。
试试这段代码:
foreach (HttpPostedFile file in Request.Files)
{
if (file.ContentLength > 0)
{
if(file.ContentType.Contains("image/") //as pointed out in comment
{
//make second parameter of type HttpPostedFile type
//where you define method
SaveNonAutoExtractedThumbnail(doc,file);
}
}
}