使用Angular2将文件上传到REST API
实际上,我正在使用带有Angular 2编码的接口的Spring REST API。
我的问题是我无法使用Angular 2上传文件。
我在Java中的Webresources是:
@RequestMapping(method = RequestMethod.POST, value = "/upload")public String handleFileUpload(@RequestParam MultipartFile file) {
//Dosomething
}
当我通过带有Auth标头等的URL请求调用它时(它具有适用于Chrome的Advanced Rest Client扩展),它完全可以正常工作
证明:(在这种情况下,一切正常)
<bean id="multipartResolver" class="org.springframework.web.multipart.commons.CommonsMultipartResolver" />
Spring配置文件和Pom依赖
<dependency> <groupId>commons-fileupload</groupId>
<artifactId>commons-fileupload</artifactId>
<version>1.2</version>
</dependency>
但是,当我尝试使用网络表单执行相同的操作时:
<input type="file" #files (change)="change(files)"/><pre>{{fileContents$|async}}</pre>
使用(change)方法:
change(file) { let formData = new FormData();
formData.append("file", file);
console.log(formData);
let headers = new Headers({
'Authorization': 'Bearer ' + this.token,
'Content-Type': 'multipart/form-data'
});
this.http.post(this.url, formData, {headers}).map(res => res.json()).subscribe((data) => console.log(data));
/*
Observable.fromPromise(fetch(this.url,
{method: 'post', body: formData},
{headers: this.headers}
)).subscribe(()=>console.log('done'));
*/
}
我的Web服务向我返回错误500,并在tomcat日志中显示该错误:http : //pastebin.com/PGdcFUQb
我也尝试过该'Content-Type': undefined
方法,但没有成功(在这种情况下,Web服务向我返回415错误。
回答:
在最终版本中,这实际上很容易做到。花了我一些时间来解决这个问题,因为我遇到的有关它的大多数信息都已过时。如果其他人为此感到困扰,请在此处发布我的解决方案。
import { Component, ElementRef, Input, ViewChild } from '@angular/core';import { Http } from '@angular/http';
@Component({
selector: 'file-upload',
template: '<input type="file" [multiple]="multiple" #fileInput>'
})
export class FileUploadComponent {
@Input() multiple: boolean = false;
@ViewChild('fileInput') inputEl: ElementRef;
constructor(private http: Http) {}
upload() {
let inputEl: HTMLInputElement = this.inputEl.nativeElement;
let fileCount: number = inputEl.files.length;
let formData = new FormData();
if (fileCount > 0) { // a file was selected
for (let i = 0; i < fileCount; i++) {
formData.append('file[]', inputEl.files.item(i));
}
this.http
.post('http://your.upload.url', formData)
// do whatever you do...
// subscribe to observable to listen for response
}
}
}
然后像这样使用它:
<file-upload #fu (change)="fu.upload()" [multiple]="true"></file-upload>
这就是全部。
或者,捕获事件对象并从srcElement获取文件。老实说,不确定是否有任何方法比其他方法更好!
请记住,FormData是IE10 +,因此,如果必须支持IE9,则需要使用polyfill。
以上是 使用Angular2将文件上传到REST API 的全部内容, 来源链接: utcz.com/qa/425738.html