动态地将一组字段添加到反应形式

时间:2018-07-20 19:26:56

标签: angular angular-reactive-forms reactive-forms

我有2个输入字段:名称和姓氏。 我有2个按钮:“提交”和“添加一个人”。单击“添加一个人”应添加一组新字段(姓名和姓氏)。 如何实现呢?我找到了如何动态添加单个输入字段的解决方案,但是在这里我需要添加一个集合

我的代码现在没有“添加人”功能:

import { FormControl, FormGroup, Validators } from '@angular/forms';
export class AppComponent implements OnInit {
   form: FormGroup;
   constructor(){}
   ngOnInit(){
     this.form = new FormGroup({
       name: new FormControl('', [Validators.required, Validators.minLength(2)]),
       lname: new FormControl('', [Validators.required, Validators.minLength(2)])
     });
   }
 ....
 }

模板:

<form [formGroup]="form" (ngSubmit)="submit()">
    Name: <input type="text" formControlName="name">
    Last Name: <input type="text" formControlName="lname">
    <button type="button">Add a Person</button>
    <button type="submit">Submit</button>
</form>

1 个答案:

答案 0 :(得分:10)

您需要的是FormArray。给定具有两个FormControls名称和姓氏的多个元素,例如在您的示例中,您可以这样做: https://stackblitz.com/edit/angular-ztueuu

这是正在发生的事情:

您可以像以前那样定义表单组,但是使用FormArray类型的一个字段创建表单组

ngOnInit() {
  this.form = this.fb.group({
    items: this.fb.array([this.createItem()])
  })
}

接下来,您定义我们在createItem()上方使用的帮助程序方法,以使我们与要乘法的控件组分组

createItem() {
  return this.fb.group({
    name: ['Jon'],
    surname: ['Doe']
  })
}

最后是您要在此集合中相乘的方法:

addNext() {
  (this.form.controls['items'] as FormArray).push(this.createItem())
}

在下面用html将其合并。我们正在遍历数组项并显示组中的字段。表单组名称是数组的索引。

<form [formGroup]="form" (ngSubmit)="submit()">
  <div formArrayName="items"
    *ngFor="let item of form.controls['items'].controls; let i = index">
    <div [formGroupName]="i">
      <input formControlName='name'>
      <input formControlName='surname'>
    </div>
  </div>
  <button type="button" (click)="addNext()">Add Next</button>
  <button type="submit">Submit</button>
</form>

您可以创建带有扩展项目集的表单。