我已经用文本输入创建了一个简单的反应形式,当提交表单时,我想传递文件输入中的图像。每次我在Google上搜索Google时,都会得到一些教程,这些教程向我展示了如何上传文件,但这是在没有其他输入字段的情况下完成的。我了解如何执行此操作,不了解如何在一次提交中同时提交我的表单和文件输入。
在我的场景中,我不应该使用用户反应形式,而是使用简单的new FormData()
并将每个输入附加到其中吗?
如果可以的话,给我简单的例子。
编辑:How to include a file upload control in an Angular2 reactive form?这不是答案。答案市场没有随应表单一起过帐文件,它仅是过帐文件。
答案 0 :(得分:2)
文件是二进制数据,表单字段通常是json文本文件。为了将它们放在一个帖子中,您必须将其中一个数据转换为另一个数据。我通过将文件转换为base64字符串,然后将其添加到普通的json数据中来做到这一点。显然,您必须将base64字符串转换回文件,但是大多数环境(例如C#)都可以立即使用。
下面是一些代码,目的是向您展示我是如何做到的:
HTML(这是文件按钮,您必须使用它来使浏览器允许您从文件系统中选择文件):
<input name="imageUrl" type="file" [accept]="filePattern" multiple=""
(change)="handleInputChange($event)" />
.ts:
handleInputChange(e) {
const file = e.dataTransfer ? e.dataTransfer.files[0] : e.target.files[0];
const reader = new FileReader();
const fileDto: Partial<IFileSaveDto> = {
// your other data here
title: 'what ever here',
fileAsBase64: null
};
reader.onload = (ev: ProgressEvent) => {
fileDto.fileAsBase64 = reader.result;
};
reader.readAsDataURL(file);
}
该方法的缺点是base64会产生相当大的开销。如果您要上传非常大或很多文件,那不是一个好方法。
这是一个完整的解释示例:https://nehalist.io/uploading-files-in-angular2/
答案 1 :(得分:1)
也存在此问题,我所做的是构造一个FormData,使用循环将formGroup值添加到表单Data
import {
Component,
OnInit,
ChangeDetectorRef
} from '@angular/core';
import {
FormGroup,
FormBuilder,
Validators
} from '@angular/forms';
export class TodoFormComponent {
todoForm: FormGroup = this.fb.group({
todo: ['', Validators.required],
image: ['', Validators.required], //making the image required here
done: [false]
})
constructor(
private fb: FormBuilder,
private cd: ChangeDetectorRef
) {}
/**
*@param event {EventObject} - the javascript change event
*@param field {String} - the form field control name
*/
onFileChange(event, field) {
if (event.target.files && event.target.files.length) {
const [file] = event.target.files;
// just checking if it is an image, ignore if you want
if (!file.type.startsWith('image')) {
this.todoForm.get(field).setErrors({
required: true
});
this.cd.markForCheck();
} else {
// unlike most tutorials, i am using the actual Blob/file object instead of the data-url
this.todoForm.patchValue({
[field]: file
});
// need to run CD since file load runs outside of zone
this.cd.markForCheck();
}
}
onSubmit() {
const formData = new FormData();
Object.entries(this.todoForm.value).forEach(
([key, value]: any[]) => {
formData.set(key, value);
}
//submit the form using formData
// if you are using nodejs use something like multer
)
}
}
<form [formGroup]="todoForm" (ngSubmit)="onSubmit()">
<input type="file" formControlName="image" (onchange)="onFileChange($event, 'image')"/>
<textarea formControlName="todo"></textarea>
<button type="submit">Submit</button>
</form>
在服务器端,您可以像处理表单数据请求一样处理请求