我正在尝试在MEAN堆栈应用中编辑一些数据,并且正在使用反应式表单。我正在使用 ngModel 两种方式进行数据绑定和HTML输入的 value 属性。当我使用 value 属性填充表单时,我成功地从API中将所需的数据获取到Input字段中,但是当我单击 Submit Button 时。表单返回 null ,而我的 MongoDB 中的所有字段都返回null。这是我在提交时运行的方法。
editPatient() {
const patient = {
first_name: this.first_name,
last_name: this.last_name,
DOB: this.DOB,
email: this.email,
address: this.address,
city: this.city,
province: this.province,
postal_code: this.postal_code,
phone: this.phone,
department: this.department,
doctor: this.doctor
}
this.patientService.updatePatient(this.ID, patient).subscribe((patient: any) => {
console.log(patient);
})}
这是我的HTML的单个div。我还有更多,但逻辑也一样
<div class="form-group" [ngClass]="{'is-invalid':formErrors.first_name}">
<label>First Name</label>
<input type="text" placeholder="First Name" [(ngModel)]="first_name" formControlName="first_name" class="form-control"
(blur)="logValidationErrors()" value={{patient.first_name}} required>
<span class="help-block" *ngIf="formErrors.first_name">
{{formErrors.first_name}}
</span>
</div>
到目前为止,我认为我的问题是当我使用两种方式进行绑定时,它期望用户在输入字段中输入值,但它不会读取/考虑从 value 属性中获取的内容用户输入数据并返回空值。这是我的推论,如果确实如此,我不知道如何将 value 属性绑定到 ngModel 。是否还有其他可行的方法可以实现这一目标?
答案 0 :(得分:0)
由于您使用的是反应式表单方法,因此您应该在模板上仅使用[formGroup]
和formControlName
指令,而不要使用[(ngModel)]
。
然后您可以使用this.yourFormName.value
在您的组件类中:
...
constructor(
private fb: FormBuilder,
private patientService: PatientService
) {}
ngOnInit() {
...
this.patientEditForm = this.fb.group({
first_name: [],
last_name: [],
DOB: [],
email: [],
address: [],
city: [],
province: [],
postal_code: [],
phone: [],
department: [],
doctor: []
});
...
}
...
editPatient() {
this.patientService.updatePatient(this.ID, this.patientEditForm.value)
.subscribe((patient: any) => {
console.log(patient);
})
}
...
在您的模板中:
<form [formGroup]="patientEditForm" ...>
...
<div class="form-group" [ngClass]="{'is-invalid':formErrors.first_name}">
<label>First Name</label>
<input type="text" placeholder="First Name" formControlName="first_name" class="form-control"
(blur)="logValidationErrors()" value={{patient.first_name}} required>
<span class="help-block" *ngIf="formErrors.first_name">
{{formErrors.first_name}}
</span>
</div>
...
</form>