Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Set value of <mat-select> programmatically

I'm trying to set the value of 2 fields <input matInput> and <mat-select> programmatically. For text input everything works as expected however for the <mat-select> on the view this field is just like it would have a value of null. But if I would call console.log(productForm.controls['category'].value it prints correct value that I set programmatically. Am I missing something?

Here is the code:

form config:

productForm = new FormGroup({     name: new FormControl('', [         Validators.required     ]),     category: new FormControl('', [         Validators.required     ]), }); 

setting value:

ngOnInit() {     this.productForm.controls['name'].setValue(this.product.name);     this.productForm.controls['category'].setValue(this.product.category); } 

html:

<mat-form-field>     <mat-select [formControlName]="'category'"                 [errorStateMatcher]="errorStateMatcher">         <mat-option *ngFor="let category of categories" [value]="category">             {{category.name}}         </mat-option>     </mat-select> </mat-form-field> 
like image 586
TomOw Avatar asked Feb 14 '18 22:02

TomOw


People also ask

How do you set mat selected value?

Angular Material Select is created using <mat-select> which is a form control for selecting a value from a set of options. To add elements to Select option, we need to use <mat-option> element and to bind value with <mat-option> , use value property of it.

What is compareWith in mat-select?

The compareWith just literally compares objects by some given values and the checkboxes get selected, if it returns true . In my code, I decided to go with the ng-Model binding but it works with formControl as well: <mat-form-field>


1 Answers

The Angular mat-select compares by reference between that object and all the available objects in the mat-select. As a result, it fails to select the items you have set in the category field. Consequently, you have to implement the compare function to compare any of the list items' attributes as you want, and then pass this function to the [compareWith] attribute of the mat-select.
To conclude, Here is a snapshot for the final markup and script:

<mat-form-field>     <mat-select [formControlName]="category" [compareWith]="compareCategoryObjects">         <mat-option *ngFor="let category of categories" [value]="category">             {{category.name}}         </mat-option>     </mat-select> </mat-form-field> 

And in the component class:

compareCategoryObjects(object1: any, object2: any) {     return object1 && object2 && object1.id == object2.id; } 

Now it will select the item -or items if multiple select- you set for the field.

Reference:
https://github.com/angular/material2/issues/10214

Working Sample:
https://stackblitz.com/edit/angular-material2-issue-t8rp7j

like image 117
Hany Avatar answered Sep 21 '22 18:09

Hany