当我尝试将图片发布到ASP.Net API 2时,我得到 415(不支持的媒体类型) 此资源不支持请求实体的媒体类型“multipart / form-data”。“,”exceptionMessage“:”没有MediaTypeFormatter可用于从媒体类型为'multipart / form-data的内容中读取“附件”类型的对象。
我的后端发布方法:
[HttpPost]
[Route("api/listing/{listingId}/Attachment/")]
public async Task<dynamic> Post([FromBody] Attachment model)
{
var Attachments = new Attachment
{
ListingId = model.ListingId,
Content = model.Content,
Description = model.Description,
Name = model.Name,
MimeType = model.MimeType,
Size = model.Size,
CreatedOn = DateTime.UtcNow,
UpdatedOn = model.UpdatedOn,
};
return await DataStore.InsertDynamicAsync(Attachments);
}
和我的前端方法:
onChangeImage(e: any) {
console.log(this.className + 'onChangeImage.event=' +JSON.stringify(event));
console.log(this.className + 'onChangeImage._listingAttachmentService undefined?: ' + (this._listingAttachmentService === undefined));
const inputElement = this.fileInput.nativeElement;
const fileList = inputElement.files;
const files = [];
console.log('AttachmentsTabComponent: file count = ' + fileList.length);
if (fileList.length > 0) {
for (let i = 0; i < fileList.length; i++) {
// get item
const file = fileList.item(i);
files.push(file);
const model: Attachment = {
listingId: this.listing.id,
mimeType: file.type,
name: file.name,
size: file.size,
updatedOn: file.lastModifiedDate
};
const reader = new FileReader();
reader.readAsDataURL(file);
console.log(this.className + 'onChangeImage.listingAttachmentService (before reader.onload) undefined?: ' + (this._listingAttachmentService === undefined));
reader.onload = (readerEvt: any) => {
const binaryString = readerEvt.target.result;
//base-64 encoded ASCII string
model.content = btoa(binaryString);
console.log(this.className + 'onChangeImage.listingAttachmentService (during reader.onload) undefined?: ' + (this._listingAttachmentService === undefined));
console.log(this.className + 'ListingAttachmentModel.content.length=' + JSON.stringify(model.content.length));
// this._listingAttachmentService.add(model);
};
}
// try to clear the file input
try {
// TODO: fix this
this.fileForm.nativeElement.reset();
inputElement.value = '';
if (inputElement.value) {
inputElement.type = 'text';
inputElement.type = 'file';
}
} catch (e) { }
this._listingAttachmentService.upload(this.listing.id, files)
.subscribe(data => {
this.listing.attachments = data;
});
}
}
和我的listingAttachmentService
upload(listingId: number, files: Array<File>) {
this._logger.debug('method upload() entered');
this._logger.debug('upload() listingId=' + listingId);
this._logger.debug('this.fileToUpload.length=' + files.length);
var self = this;
return Observable.create(observer => {
console.log('creating Observable');
let formData: FormData = new FormData(),
xhr: XMLHttpRequest = new XMLHttpRequest();
formData.append('listingId', listingId);
for (let i = 0; i < files.length; i++) {
formData.append('uploads[]', files[i], files[i].name);
}
xhr.onreadystatechange = () => {
if (xhr.readyState === 4) {
if (xhr.status === 200) {
observer.next(JSON.parse(xhr.response));
observer.complete();
} else {
observer.error(xhr.response);
}
}
};
let newbaseUrl = self.baseUrl + listingId + '/attachment/' ;
xhr.open('POST', newbaseUrl, true);
xhr.send(formData);
})
.catch(this.handleError);
}
答案 0 :(得分:1)
您应该使用自定义MediaTypeFormatter。有关详细信息,请参见http://www.asp.net/web-api/overview/formats-and-model-binding/media-formatters和此处的示例http://blog.marcinbudny.com/2014/02/sending-binary-data-along-with-rest-api.html#.V5MDDzV7qYg
public class CustomFormatter : MediaTypeFormatter
{
public CustomFormatter()
{
SupportedMediaTypes.Add(new MediaTypeHeaderValue("multipart/form-data"));
}
public override bool CanReadType(Type type)
{
return type == typeof(Attachment);
}
public override bool CanWriteType(Type type)
{
return false;
}
public async override Task<object> ReadFromStreamAsync(Type type, Stream readStream, HttpContent content, IFormatterLogger formatterLogger)
{
var provider = await content.ReadAsMultipartAsync();
var modelContent = provider.Contents
.FirstOrDefault(c => c.Headers.ContentType.MediaType == "application/json"); // Can also use ContentDisposition.Name.Normalize == "attachment"
var attachment = await modelContent.ReadAsAsync<Attachment>();
var fileContents = provider.Contents
.Where(c => c.Headers.ContentType.MediaType == "image/jpeg").FirstOrDefault(); // can also use ContentDisposition.Name.Normalize() == "image"
attachment.Content = await fileContents.ReadAsByteArrayAsync();
return attachment;
}
}
注册自定义媒体格式化程序:
private void ConfigureWebApi(HttpConfiguration config)
{
//other code here
config.Formatters.Add(new CustomFormatter());
}
帖子将在下面
POST http://localhost/api/FileUpload HTTP/1.1
Content-Type: multipart/form-data; boundary=-------------------------acebdf13572468
User-Agent: Fiddler
Content-Length: 88778
---------------------------acebdf13572468
Content-Type: application/json; charset=utf-8
Content-Disposition: form-data; name=attachment
{"ListingId":"testl"}
---------------------------acebdf13572468
Content-Disposition: form-data; name=image; filename=image.jpg
Content-Type: image/jpeg
Image content
---------------------------acebdf13572468--
希望这有帮助。