I am working on a project where I want to put required validation on a form array field. Here is my template
<div formArrayName="price" *ngFor="let p of vehicleForm.get('prices.price').controls; let i=index">
<div class="price-form-repeater" [formGroupName]="i">
<div class="col-md-6 col-sm-12 cust-col">
<label class="col-sm-4 dark-label" for="priceType">Price Type:</label>
<div class="col-md-6" >
<select id="priceType" formControlName="type" class="form-control" data-placeholder="select" >
<option ></option><!-- Required for data-placeholder attribute to work with Chosen plugin -->
<option value="public">Public</option>
</select>
<div *ngIf="p.controls.type.errors && (p.controls['type'].dirty || p.controls['type'].touched)) ||
(p.controls['type'].untouched && formSubmitAttempt)"class="alert alert-danger">
<div [hidden]="(!p.controls['type'].errors.required)">Price type is required.</div>
</div>
</div>
</div>
</div>
</div>
Here is my component
prices: this.fb.group({
price: this.fb.array([this.priceField()]) ,
})
priceField():FormGroup {
return this.fb.group({
type: ['',Validators.required],
vat_type: ['',Validators.required],
currency: ['',Validators.required],
negotiable: ['',Validators.required],
value: ['',Validators.required],
tax_deduction: ['',Validators.required]
});
}
I just want to show the required field error message if the user tries to leave these fields empty. I appriciate your help.
You are very close to the answer. The price array consists of formGroup
elements, therefore sub-controls needs to be accessed with get('')
. The *ngFor
directive must be placed on the repeater. I would also recommend ngIf
instead of hidden as screen readers might still read hidden elements.
<div formArrayName="price" >
<div class="price-form-repeater" *ngFor="let p of vehicleForm.get('prices.price').controls; let i=index" [formGroupName]="i">
<div class="col-md-6 col-sm-12 cust-col">
<label class="col-sm-4 dark-label" for="priceType">Price Type:</label>
<div class="col-md-6" >
<select id="priceType" formControlName="type" class="form-control" data-placeholder="select">
<option ></option><!-- Required for data-placeholder attribute to work with Chosen plugin -->
<option value="public">Public</option>
</select>
<div *ngIf="(p.get('type').errors && (p.get('type').dirty || p.get('type').touched)) ||
(p.get('type').untouched && formSubmitAttempt)" class="alert alert-danger">
<div *ngIf="p.get('type').errors.required">Price type is required.</div>
</div>
</div>
</div>
</div>
The controller has to have a getter to return the formArray
for binding
get price() {
return this.vehicleForm.get('prices.price') as FormArray;
}