Remove all items from a FormArray in Angular Remove all items from a FormArray in Angular angular angular

Remove all items from a FormArray in Angular


I had same problem. There are two ways to solve this issue.

Preserve subscription

You can manually clear each FormArray element by calling the removeAt(i) function in a loop.

clearFormArray = (formArray: FormArray) => {  while (formArray.length !== 0) {    formArray.removeAt(0)  }}

The advantage to this approach is that any subscriptions on your formArray, such as that registered with formArray.valueChanges, will not be lost.

See the FormArray documentation for more information.


Cleaner method (but breaks subscription references)

You can replace whole FormArray with a new one.

clearFormArray = (formArray: FormArray) => {  formArray = this.formBuilder.array([]);}

This approach causes an issue if you're subscribed to the formArray.valueChanges observable! If you replace the FromArray with a new array, you will lose the reference to the observable that you're subscribed to.


Or you can simply clear the controls

this.myForm= {     name: new FormControl(""),     desc: new FormControl(""),     arr: new FormArray([])}

Add something array

const arr = <FormArray>this.myForm.controls.arr;arr.push(new FormControl("X"));

Clear the array

const arr = <FormArray>this.myForm.controls.arr;arr.controls = [];

When you have multiple choices selected and clear, sometimes it doesn't update the view. A workaround is to add

arr.removeAt(0)

UPDATE

A more elegant solution to use form arrays is using a getter at the top of your class and then you can access it.

get inFormArray(): FormArray {    this.myForm.get('inFormArray') as FormArray;}

And to use it in a template

<div *ngFor="let c of inFormArray; let i = index;" [formGroup]="i">other tags...</div>

Reset:

inFormArray.reset();

Push:

inFormArray.push(new FormGroup({}));

Remove value at index: 1

inFormArray.removeAt(1);

UPDATE 2:

Get partial object, get all errors as JSON and many other features, use the NaoFormsModule


As of Angular 8+ you can use clear() to remove all controls in the FormArray:

const arr = new FormArray([   new FormControl(),   new FormControl()]);console.log(arr.length);  // 2arr.clear();console.log(arr.length);  // 0

For previous versions the recommended way is:

while (arr.length) {   arr.removeAt(0);}

https://angular.io/api/forms/FormArray#clear